diff --git a/apps/api/documents/api.js b/apps/api/documents/api.js index 4eaf9b218..f0f72168d 100644 --- a/apps/api/documents/api.js +++ b/apps/api/documents/api.js @@ -56,6 +56,7 @@ edit: ["Group1", ""] // current user can edit comments made by users from Group1 and users without a group. remove: ["Group1", ""] // current user can remove comments made by users from Group1 and users without a group. }, + userInfoGroups: ["Group1", ""], // show tooltips/cursors/info in header only for users in userInfoGroups groups. [""] - means users without group, [] - don't show any users, null/undefined/"" - show all users protect: // default = true. show/hide protect tab or protect buttons } }, @@ -931,14 +932,17 @@ if (config.editorConfig.customization.loaderName !== 'none') params += "&customer=" + encodeURIComponent(config.editorConfig.customization.loaderName); } else params += "&customer={{APP_CUSTOMER_NAME}}"; - if ( (typeof(config.editorConfig.customization) == 'object') && config.editorConfig.customization.loaderLogo) { - if (config.editorConfig.customization.loaderLogo !== '') params += "&logo=" + encodeURIComponent(config.editorConfig.customization.loaderLogo); - } else if ( (typeof(config.editorConfig.customization) == 'object') && config.editorConfig.customization.logo) { - if (config.type=='embedded' && (config.editorConfig.customization.logo.image || config.editorConfig.customization.logo.imageEmbedded)) - params += "&headerlogo=" + encodeURIComponent(config.editorConfig.customization.logo.image || config.editorConfig.customization.logo.imageEmbedded); - else if (config.type!='embedded' && (config.editorConfig.customization.logo.image || config.editorConfig.customization.logo.imageDark)) { - config.editorConfig.customization.logo.image && (params += "&headerlogo=" + encodeURIComponent(config.editorConfig.customization.logo.image)); - config.editorConfig.customization.logo.imageDark && (params += "&headerlogodark=" + encodeURIComponent(config.editorConfig.customization.logo.imageDark)); + if (typeof(config.editorConfig.customization) == 'object') { + if ( config.editorConfig.customization.loaderLogo && config.editorConfig.customization.loaderLogo !== '') { + params += "&logo=" + encodeURIComponent(config.editorConfig.customization.loaderLogo); + } + if ( config.editorConfig.customization.logo ) { + if (config.type=='embedded' && (config.editorConfig.customization.logo.image || config.editorConfig.customization.logo.imageEmbedded)) + params += "&headerlogo=" + encodeURIComponent(config.editorConfig.customization.logo.image || config.editorConfig.customization.logo.imageEmbedded); + else if (config.type!='embedded' && (config.editorConfig.customization.logo.image || config.editorConfig.customization.logo.imageDark)) { + config.editorConfig.customization.logo.image && (params += "&headerlogo=" + encodeURIComponent(config.editorConfig.customization.logo.image)); + config.editorConfig.customization.logo.imageDark && (params += "&headerlogodark=" + encodeURIComponent(config.editorConfig.customization.logo.imageDark)); + } } } } @@ -958,8 +962,6 @@ if (config.editorConfig && config.editorConfig.customization && (config.editorConfig.customization.toolbar===false)) params += "&toolbar=false"; - else if (config.document && config.document.permissions && (config.document.permissions.edit === false && config.document.permissions.fillForms )) - params += "&toolbar=true"; if (config.parentOrigin) params += "&parentOrigin=" + config.parentOrigin; @@ -970,6 +972,25 @@ return params; } + function getFrameTitle(config) { + var title = 'Powerful online editor for text documents, spreadsheets, and presentations'; + var appMap = { + 'text': 'text documents', + 'spreadsheet': 'spreadsheets', + 'presentation': 'presentations', + 'word': 'text documents', + 'cell': 'spreadsheets', + 'slide': 'presentations' + }; + + if (typeof config.documentType === 'string') { + var app = appMap[config.documentType.toLowerCase()]; + if (app) + title = 'Powerful online editor for ' + app; + } + return title; + } + function createIframe(config) { var iframe = document.createElement("iframe"); @@ -979,6 +1000,7 @@ iframe.align = "top"; iframe.frameBorder = 0; iframe.name = "frameEditor"; + iframe.title = getFrameTitle(config); iframe.allowFullscreen = true; iframe.setAttribute("allowfullscreen",""); // for IE11 iframe.setAttribute("onmousewheel",""); // for Safari on Mac diff --git a/apps/common/forms/resources/less/common.less b/apps/common/forms/resources/less/common.less index 1e61888f3..c1a0ccd51 100644 --- a/apps/common/forms/resources/less/common.less +++ b/apps/common/forms/resources/less/common.less @@ -80,6 +80,7 @@ @import "../../../../common/main/resources/less/spinner.less"; @import "../../../../common/main/resources/less/checkbox.less"; @import "../../../../common/main/resources/less/opendialog.less"; +@import "../../../../common/main/resources/less/advanced-settings-window.less"; @toolbarBorderColor: @border-toolbar-ie; @toolbarBorderColor: @border-toolbar; diff --git a/apps/common/main/lib/component/ComboDataView.js b/apps/common/main/lib/component/ComboDataView.js index 7bd9bdc5b..ec972e57f 100644 --- a/apps/common/main/lib/component/ComboDataView.js +++ b/apps/common/main/lib/component/ComboDataView.js @@ -95,7 +95,7 @@ define([ this.delayRenderTips = this.options.delayRenderTips || false; this.itemTemplate = this.options.itemTemplate || _.template([ '
', - '', + ' style="visibility: hidden;" <% } %>/>', '<% if (typeof title !== "undefined") {%>', '<%= title %>', '<% } %>', @@ -416,6 +416,9 @@ define([ if (forceFill || !me.fieldPicker.store.findWhere({'id': record.get('id')})){ if (me.itemMarginLeft===undefined) { var div = $($(this.menuPicker.el).find('.inner > div:not(.grouped-data):not(.ps-scrollbar-x-rail):not(.ps-scrollbar-y-rail)')[0]); + if (!div || div.length<1) { // try to find items in groups + div = $($(this.menuPicker.el).find('.inner .group-items-container > div:not(.grouped-data):not(.ps-scrollbar-x-rail):not(.ps-scrollbar-y-rail)')[0]); + } if (div.length > 0) { me.itemMarginLeft = parseInt(div.css('margin-left')); me.itemMarginRight = parseInt(div.css('margin-right')); @@ -456,6 +459,7 @@ define([ me.resumeEvents(); } } + return me.fieldPicker.store.models; // return list of visible items } } }, diff --git a/apps/common/main/lib/component/DataView.js b/apps/common/main/lib/component/DataView.js index aa1aa2dbc..3444a6c88 100644 --- a/apps/common/main/lib/component/DataView.js +++ b/apps/common/main/lib/component/DataView.js @@ -276,6 +276,7 @@ define([ me.delayRenderTips = me.options.delayRenderTips || false; if (me.parentMenu) me.parentMenu.options.restoreHeight = (me.options.restoreHeight>0); + me.delaySelect = me.options.delaySelect || false; me.rendered = false; me.dataViewItems = []; if (me.options.keyMoveDirection=='vertical') @@ -396,10 +397,10 @@ define([ }); if (record) { - if (Common.Utils.isSafari) { + if (this.delaySelect) { setTimeout(function () { record.set({selected: true}); - }, 200); + }, 300); } else { record.set({selected: true}); } @@ -1442,7 +1443,7 @@ define([ var models = group.groupStore.models; if (index > 0) { for (var i = 0; i < models.length; i++) { - models.at(i).set({groupName: group.groupName}) + models[i].set({groupName: group.groupName}); } } store.add(models); @@ -1578,11 +1579,8 @@ define([ selected: false, groupName: groupName }; - me.recentShapes.unshift(model); - if (me.recentShapes.length > 12) { - me.recentShapes.splice(12, 1); - } - Common.localStorage.setItem(this.appPrefix + 'recent-shapes', JSON.stringify(me.recentShapes)); + var arr = [model].concat(me.recentShapes.slice(0, 11)); + Common.localStorage.setItem(this.appPrefix + 'recent-shapes', JSON.stringify(arr)); me.recentShapes = undefined; }, updateRecents: function () { diff --git a/apps/common/main/lib/component/Label.js b/apps/common/main/lib/component/Label.js new file mode 100644 index 000000000..ec0e59a79 --- /dev/null +++ b/apps/common/main/lib/component/Label.js @@ -0,0 +1,127 @@ +/* + * + * (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 + * +*/ +/** + * Label.js + * + * Created by Julia Radzhabova on 1/20/22 + * Copyright (c) 2022 Ascensio System SIA. All rights reserved. + * + */ + +if (Common === undefined) + var Common = {}; + +define([ + 'common/main/lib/component/BaseView', + 'underscore' +], function (base, _) { + 'use strict'; + + Common.UI.Label = Common.UI.BaseView.extend({ + + options : { + id : null, + disabled : false, + cls : '', + iconCls : '', + style : '', + caption : '' + }, + + template : _.template(''), + + initialize : function(options) { + Common.UI.BaseView.prototype.initialize.call(this, options); + + this.id = this.options.id || Common.UI.getId(); + this.cls = this.options.cls; + this.iconCls = this.options.iconCls; + this.style = this.options.style; + this.disabled = this.options.disabled; + this.caption = this.options.caption; + this.template = this.options.template || this.template; + this.rendered = false; + + if (this.options.el) + this.render(); + }, + + render: function (parentEl) { + var me = this; + if (!me.rendered) { + var elem = this.template({ + id : me.id, + cls : me.cls, + iconCls : me.iconCls, + style : me.style, + caption : me.caption + }); + if (parentEl) { + this.setElement(parentEl, false); + parentEl.html(elem); + } else { + me.$el.html(elem); + } + + this.$label = me.$el.find('.label-cmp'); + this.rendered = true; + } + + if (this.disabled) + this.setDisabled(this.disabled); + + return this; + }, + + setDisabled: function(disabled) { + if (!this.rendered) + return; + + disabled = (disabled===true); + if (disabled !== this.disabled) { + this.$label.toggleClass('disabled', disabled); + } + + this.disabled = disabled; + }, + + isDisabled: function() { + return this.disabled; + } + }); +}); \ No newline at end of file diff --git a/apps/common/main/lib/component/Menu.js b/apps/common/main/lib/component/Menu.js index d8c410063..b5eb87827 100644 --- a/apps/common/main/lib/component/Menu.js +++ b/apps/common/main/lib/component/Menu.js @@ -651,7 +651,28 @@ define([ if (left < 0) left = 0; - if (this.options.restoreHeight) { + if (this.options.restoreHeightAndTop) { // can change top position, if top<0 - then change menu height + var cg = Common.Utils.croppedGeometry(); + docH = cg.height - 10; + menuRoot.css('max-height', 'none'); + menuH = menuRoot.outerHeight(); + if (top + menuH > docH + cg.top) { + top = docH - menuH; + } + if (top < cg.top) + top = cg.top; + 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 '), + minScrollbarLength: 30, + suppressScrollX: true, + alwaysVisibleY: this.scrollAlwaysVisible + })); + this.wheelSpeed = undefined; + } + this.scroller && this.scroller.update({alwaysVisibleY: this.scrollAlwaysVisible}); + } else if (this.options.restoreHeight) { if (typeof (this.options.restoreHeight) == "number") { if (top + menuH > docH) { menuRoot.css('max-height', (docH - top) + 'px'); diff --git a/apps/common/main/lib/component/TreeView.js b/apps/common/main/lib/component/TreeView.js index d6ac4c4b4..d362f44de 100644 --- a/apps/common/main/lib/component/TreeView.js +++ b/apps/common/main/lib/component/TreeView.js @@ -212,19 +212,7 @@ define([ this.dataViewItems.push(view); } - var name = record.get('name'); - if (name.length > 37 - record.get('level')*2) - record.set('tip', name); - if (record.get('tip')) { - var view_el = $(view.el); - view_el.attr('data-toggle', 'tooltip'); - view_el.tooltip({ - title : record.get('tip'), - placement : 'cursor', - zIndex : this.tipZIndex - }); - } - + this.updateTip(view); this.listenTo(view, 'change', this.onChangeItem); this.listenTo(view, 'remove', this.onRemoveItem); this.listenTo(view, 'click', this.onClickItem); @@ -361,6 +349,51 @@ define([ focus: function() { this.cmpEl && this.cmpEl.find('.treeview').focus(); + }, + + updateTip: function(item) { + var record = item.model, + name = record.get('name'), + me = this; + + if (name.length > 37 - record.get('level')*2) + record.set('tip', name); + else + record.set('tip', ''); + + var el = item.$el || $(item.el); + var tip = el.data('bs.tooltip'); + if (tip) { + if (tip.dontShow===undefined) + tip.dontShow = true; + el.removeData('bs.tooltip'); + } + if (record.get('tip')) { + el.attr('data-toggle', 'tooltip'); + el.tooltip({ + title : record.get('tip'), + placement : 'cursor', + zIndex : this.tipZIndex + }); + if (this.delayRenderTips) + el.one('mouseenter', function(){ + el.attr('data-toggle', 'tooltip'); + el.tooltip({ + title : record.get('tip'), + placement : 'cursor', + zIndex : me.tipZIndex + }); + el.mouseenter(); + }); + else { + el.attr('data-toggle', 'tooltip'); + el.tooltip({ + title : record.get('tip'), + placement : 'cursor', + zIndex : me.tipZIndex + }); + } + } } } })()); diff --git a/apps/common/main/lib/controller/HintManager.js b/apps/common/main/lib/controller/HintManager.js index 255866f3a..abbb3b897 100644 --- a/apps/common/main/lib/controller/HintManager.js +++ b/apps/common/main/lib/controller/HintManager.js @@ -492,7 +492,9 @@ Common.UI.HintManager = new(function() { match = false; var keyCode = e.keyCode; if (keyCode !== 16 && keyCode !== 17 && keyCode !== 18 && keyCode !== 91) { - curLetter = _lang === 'en' ? ((keyCode > 47 && keyCode < 58 || keyCode > 64 && keyCode < 91) ? String.fromCharCode(e.keyCode) : null) : e.key; + curLetter = _lang === 'en' ? + ((keyCode > 47 && keyCode < 58 || keyCode > 64 && keyCode < 91) ? String.fromCharCode(e.keyCode) : null) : + (/[.*+?^${}()|[\]\\]/g.test(e.key) ? null : e.key); } if (curLetter) { var curr; @@ -592,9 +594,8 @@ Common.UI.HintManager = new(function() { } } - var isAlt = e.altKey; - _needShow = (isAlt && !Common.Utils.ModalWindow.isVisible() && _isDocReady && _arrAlphabet.length > 0); - if (isAlt && e.keyCode !== 115) { + _needShow = (!e.shiftKey && e.keyCode == Common.UI.Keys.ALT && !Common.Utils.ModalWindow.isVisible() && _isDocReady && _arrAlphabet.length > 0); + if (e.altKey && e.keyCode !== 115) { e.preventDefault(); } }); diff --git a/apps/common/main/lib/controller/LayoutManager.js b/apps/common/main/lib/controller/LayoutManager.js index f5197981d..8a31ae069 100644 --- a/apps/common/main/lib/controller/LayoutManager.js +++ b/apps/common/main/lib/controller/LayoutManager.js @@ -105,17 +105,19 @@ Common.UI.LayoutManager = new(function() { * } */ Common.UI.FeaturesManager = new(function() { - var _config; - var _init = function(config) { + var _config, + _licensed; + var _init = function(config, licensed) { _config = config; + _licensed = licensed; }; - var _canChange = function(name) { - return !(_config && typeof _config[name] === 'object' && _config[name] && _config[name].change===false); + var _canChange = function(name, force) { + return !((_licensed || force) && _config && typeof _config[name] === 'object' && _config[name] && _config[name].change===false); }; - var _getInitValue2 = function(name, defValue) { - if (_config && _config[name] !== undefined ) { + var _getInitValue2 = function(name, defValue, force) { + if ((_licensed || force) && _config && _config[name] !== undefined ) { if (typeof _config[name] === 'object' && _config[name]) { // object and not null if (_config[name].mode!==undefined) return _config[name].mode; @@ -126,8 +128,8 @@ Common.UI.FeaturesManager = new(function() { return defValue; }; - var _getInitValue = function(name) { - if (_config && _config[name] !== undefined ) { + var _getInitValue = function(name, force) { + if ((_licensed || force) && _config && _config[name] !== undefined ) { if (typeof _config[name] === 'object' && _config[name]) { // object and not null if (_config[name].mode!==undefined) return _config[name].mode; diff --git a/apps/common/main/lib/controller/Plugins.js b/apps/common/main/lib/controller/Plugins.js index ae74097bc..98d3f0c56 100644 --- a/apps/common/main/lib/controller/Plugins.js +++ b/apps/common/main/lib/controller/Plugins.js @@ -39,7 +39,8 @@ define([ 'core', 'common/main/lib/collection/Plugins', - 'common/main/lib/view/Plugins' + 'common/main/lib/view/Plugins', + 'common/main/lib/view/PluginDlg' ], function () { 'use strict'; diff --git a/apps/common/main/lib/controller/ReviewChanges.js b/apps/common/main/lib/controller/ReviewChanges.js index cc33fcc8b..aab8177c2 100644 --- a/apps/common/main/lib/controller/ReviewChanges.js +++ b/apps/common/main/lib/controller/ReviewChanges.js @@ -190,20 +190,50 @@ define([ }); }, - onApiShowChange: function (sdkchange) { + isSelectedChangesLocked: function(changes, isShow) { + if (!changes || changes.length<1) return true; + + if (isShow) + return changes[0].get('lock') || !changes[0].get('editable'); + + for (var i=0; i0) { + changes = this.readSDKChange(sdkchange); + btnlock = this.isSelectedChangesLocked(changes, isShow); + } + if (this._state.lock !== btnlock) { + Common.Utils.lockControls(Common.enumLock.reviewChangelock, btnlock, {array: [this.view.btnAccept, this.view.btnReject]}); + if (this.dlgChanges) { + this.dlgChanges.btnAccept.setDisabled(btnlock); + this.dlgChanges.btnReject.setDisabled(btnlock); + } + this._state.lock = btnlock; + Common.Utils.InternalSettings.set(this.view.appPrefix + "accept-reject-lock", btnlock); + } + } + if (this.getPopover()) { - if (!this.appConfig.reviewHoverMode && sdkchange && sdkchange.length>0) { + if (!this.appConfig.reviewHoverMode && sdkchange && sdkchange.length>0 && isShow) { // show changes balloon only for current position, not selection var i = 0, - changes = this.readSDKChange(sdkchange), posX = sdkchange[0].get_X(), posY = sdkchange[0].get_Y(), animate = ( Math.abs(this._state.posx-posX)>0.001 || Math.abs(this._state.posy-posY)>0.001) || (sdkchange.length !== this._state.changes_length), lock = (sdkchange[0].get_LockUserId()!==null), - lockUser = this.getUserName(sdkchange[0].get_LockUserId()), - editable = changes[0].get('editable'); + lockUser = this.getUserName(sdkchange[0].get_LockUserId()); this.getPopover().hideTips(); - this.popoverChanges.reset(changes); + this.popoverChanges.reset(changes || this.readSDKChange(sdkchange)); if (animate) { if ( this.getPopover().isVisible() ) this.getPopover().hide(); @@ -211,17 +241,6 @@ define([ } this.getPopover().showReview(animate, lock, lockUser); - - var btnlock = lock || !editable; - if (this.appConfig.canReview && !this.appConfig.isReviewOnly && this._state.lock !== btnlock) { - Common.Utils.lockControls(Common.enumLock.reviewChangelock, btnlock, {array: [this.view.btnAccept, this.view.btnReject]}); - if (this.dlgChanges) { - this.dlgChanges.btnAccept.setDisabled(btnlock); - this.dlgChanges.btnReject.setDisabled(btnlock); - } - this._state.lock = btnlock; - Common.Utils.InternalSettings.set(this.view.appPrefix + "accept-reject-lock", btnlock); - } this._state.posx = posX; this._state.posy = posY; this._state.changes_length = sdkchange.length; @@ -779,7 +798,7 @@ define([ allowMerge: false, allowSignature: false, allowProtect: false, - rightMenu: {clear: true, disable: true}, + rightMenu: {clear: disable, disable: true}, statusBar: true, leftMenu: {disable: false, previewMode: true}, fileMenu: {protect: true}, diff --git a/apps/common/main/lib/controller/Themes.js b/apps/common/main/lib/controller/Themes.js index dd8cf9f45..039232879 100644 --- a/apps/common/main/lib/controller/Themes.js +++ b/apps/common/main/lib/controller/Themes.js @@ -238,7 +238,8 @@ define([ var on_document_ready = function (el) { // get_themes_config('../../common/main/resources/themes/themes.json'); - get_themes_config('../../../../themes.json'); + if ( !Common.Controllers.Desktop.isActive() || !Common.Controllers.Desktop.isOffline() ) + get_themes_config('../../../../themes.json'); } var get_ui_theme_name = function (objtheme) { diff --git a/apps/common/main/lib/template/AutoCorrectDialog.template b/apps/common/main/lib/template/AutoCorrectDialog.template index 6bded0028..09167ce01 100644 --- a/apps/common/main/lib/template/AutoCorrectDialog.template +++ b/apps/common/main/lib/template/AutoCorrectDialog.template @@ -66,17 +66,18 @@
-
+
- + +
-
+
-
+
@@ -85,14 +86,14 @@
-
- +
+
-
-
+
+
@@ -101,7 +102,7 @@
-
+
diff --git a/apps/common/main/lib/util/define.js b/apps/common/main/lib/util/define.js index ccb7b75ac..df54c82e2 100644 --- a/apps/common/main/lib/util/define.js +++ b/apps/common/main/lib/util/define.js @@ -760,10 +760,10 @@ define(function(){ 'use strict'; textObjectCenter: 'Object Center', textSlideCenter: 'Slide Center', textInFromScreenCenter: 'In From Screen Center', - textInToScreenCenter: 'In To Screen Center', - textInSlightly: 'In Slightly', textOutFromScreenBottom: 'Out From Screen Bottom', - textToFromScreenBottom: 'Out To Screen Bottom', + textInSlightly: 'In Slightly', + textInToScreenBottom: 'In To Screen Bottom', + textOutToScreenCenter: 'Out To Screen Center', textOutSlightly: 'Out Slightly', textToBottom: 'To Bottom', textToBottomLeft: 'To Bottom-Left', @@ -774,10 +774,10 @@ define(function(){ 'use strict'; textToRight: 'To Right', textToBottomRight: 'To Bottom-Right', textSpoke1: '1 Spoke', - textSpoke2: '2 Spoke', - textSpoke3: '3 Spoke', - textSpoke4: '4 Spoke', - textSpoke8: '8 Spoke', + textSpoke2: '2 Spokes', + textSpoke3: '3 Spokes', + textSpoke4: '4 Spokes', + textSpoke8: '8 Spokes', textCustomPath: 'Custom Path', textHorizontalIn: 'Horizontal In', textHorizontalOut: 'Horizontal Out', @@ -789,6 +789,11 @@ define(function(){ 'use strict'; textOut: 'Out', textWedge: 'Wedge', textFlip: 'Flip', + textLines: 'Lines', + textArcs: 'Arcs', + textTurns: 'Turns', + textShapes: 'Shapes', + textLoops: 'Loops', getEffectGroupData: function () { return [ @@ -804,13 +809,10 @@ define(function(){ 'use strict'; {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, iconCls: 'animation-entrance-float_in', displayValue: this.textFloatIn}, + {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_BOX, iconCls: 'animation-entrance-shape', displayValue: this.textBox}, - {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_CIRCLE, iconCls: 'animation-entrance-shape', displayValue: this.textCircle}, - {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_PLUS, iconCls: 'animation-entrance-shape', displayValue: this.textPlus}, - {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_DIAMOND, iconCls: 'animation-entrance-shape', displayValue: this.textDiamond}, + {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}, @@ -833,45 +835,22 @@ define(function(){ 'use strict'; {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, iconCls: 'animation-exit-float_out', displayValue: this.textFloatOut}, + {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_BOX, iconCls: 'animation-exit-shape', displayValue: this.textBox}, - {group: 'menu-effect-group-exit', value: AscFormat.EXIT_CIRCLE, iconCls: 'animation-exit-shape', displayValue: this.textCircle}, - {group: 'menu-effect-group-exit', value: AscFormat.EXIT_PLUS, iconCls: 'animation-exit-shape', displayValue: this.textPlus}, - {group: 'menu-effect-group-exit', value: AscFormat.EXIT_DIAMOND, iconCls: 'animation-exit-shape', displayValue: this.textDiamond}, + {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_ZOOM, iconCls: 'animation-exit-zoom', displayValue: this.textZoom}, - {group: 'menu-effect-group-exit', value: AscFormat.EXIT_BASIC_SWIVEL, iconCls: 'animation-exit-swivel', displayValue: this.textSwivel}, + {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.textDown}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_LEFT, iconCls: 'animation-motion_paths-lines', displayValue: this.textLeft}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_RIGHT, iconCls: 'animation-motion_paths-lines', displayValue: this.textRight}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_UP, iconCls: 'animation-motion_paths-lines', displayValue: this.textUp}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_ARC_DOWN, iconCls: 'animation-motion_paths-arcs', displayValue: this.textArcDown}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_ARC_LEFT, iconCls: 'animation-motion_paths-arcs', displayValue: this.textArcLeft}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_ARC_RIGHT, iconCls: 'animation-motion_paths-arcs', displayValue: this.textArcRight}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_ARC_UP, iconCls: 'animation-motion_paths-arcs', displayValue: this.textArcUp}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_TURN_DOWN, iconCls: 'animation-motion_paths-turns', displayValue: this.textTurnDown}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_TURN_DOWN_RIGHT, iconCls: 'animation-motion_paths-turns', displayValue: this.textTurnDownRight}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_TURN_UP, iconCls: 'animation-motion_paths-turns', displayValue: this.textTurnUp}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_TURN_UP_RIGHT, iconCls: 'animation-motion_paths-turns', displayValue: this.textTurnUpRight}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_CIRCLE, iconCls: 'animation-motion_paths-shapes', displayValue: this.textCircle}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_DIAMOND, iconCls: 'animation-motion_paths-shapes', displayValue: this.textDiamond}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_EQUAL_TRIANGLE, iconCls: 'animation-motion_paths-shapes', displayValue: this.textEqualTriangle}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_HEXAGON, iconCls: 'animation-motion_paths-shapes', displayValue: this.textHexagon}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_OCTAGON, iconCls: 'animation-motion_paths-shapes', displayValue: this.textOctagon}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_PARALLELOGRAM, iconCls: 'animation-motion_paths-shapes', displayValue: this.textParallelogram}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_PENTAGON, iconCls: 'animation-motion_paths-shapes', displayValue: this.textPentagon}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_RIGHT_TRIANGLE, iconCls: 'animation-motion_paths-shapes', displayValue: this.textRightTriangle}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_SQUARE, iconCls: 'animation-motion_paths-shapes', displayValue: this.textSquare}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_TRAPEZOID, iconCls: 'animation-motion_paths-shapes', displayValue: this.textTrapezoid}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_HORIZONTAL_FIGURE_8_FOUR, iconCls: 'animation-motion_paths-loops', displayValue: this.textHorizontalFigure}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_VERTICAL_FIGURE_8, iconCls: 'animation-motion_paths-loops', displayValue: this.textVerticalFigure}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_LOOP_DE_LOOP, iconCls: 'animation-motion_paths-loops', displayValue: this.textLoopDeLoop}//, - //{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} ]; }, @@ -896,14 +875,14 @@ define(function(){ 'use strict'; return [ {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_APPEAR, displayValue: this.textAppear}, {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_BLINDS, displayValue: this.textBlinds}, - {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_BOX, displayValue: this.textBox}, + {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_BOX, displayValue: this.textBox, familyEffect: 'entrshape'}, {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_CHECKERBOARD, displayValue: this.textCheckerboard}, - {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_CIRCLE, displayValue: this.textCircle}, - {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_DIAMOND, displayValue: this.textDiamond}, + {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_CIRCLE, displayValue: this.textCircle, familyEffect: 'entrshape'}, + {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_DIAMOND, displayValue: this.textDiamond, familyEffect: 'entrshape'}, {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_DISSOLVE_IN, displayValue: this.textDissolveIn}, {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_FLY_IN_FROM, displayValue: this.textFlyIn}, {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_PEEK_IN_FROM, displayValue: this.textPeekIn}, - {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_PLUS, displayValue: this.textPlus}, + {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_PLUS, displayValue: this.textPlus, familyEffect: 'entrshape'}, {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_RANDOM_BARS, displayValue: this.textRandomBars}, {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_SPLIT, displayValue: this.textSplit}, {group: 'menu-effect-group-entrance', level: 'menu-effect-level-basic', value: AscFormat.ENTRANCE_STRIPS, displayValue: this.textStrips}, @@ -917,8 +896,8 @@ define(function(){ 'use strict'; {group: 'menu-effect-group-entrance', level: 'menu-effect-level-moderate', value: AscFormat.ENTRANCE_BASIC_ZOOM, displayValue: this.textBasicZoom}, {group: 'menu-effect-group-entrance', level: 'menu-effect-level-moderate', value: AscFormat.ENTRANCE_CENTER_REVOLVE, displayValue: this.textCenterRevolve}, {group: 'menu-effect-group-entrance', level: 'menu-effect-level-moderate', value: AscFormat.ENTRANCE_CENTER_COMPRESS, displayValue: this.textCompress}, - {group: 'menu-effect-group-entrance', level: 'menu-effect-level-moderate', value: AscFormat.ENTRANCE_FLOAT_DOWN, displayValue: this.textFloatDown}, - {group: 'menu-effect-group-entrance', level: 'menu-effect-level-moderate', value: AscFormat.ENTRANCE_FLOAT_UP, displayValue: this.textFloatUp}, + {group: 'menu-effect-group-entrance', level: 'menu-effect-level-moderate', value: AscFormat.ENTRANCE_FLOAT_DOWN, displayValue: this.textFloatDown, familyEffect: 'entrfloat'}, + {group: 'menu-effect-group-entrance', level: 'menu-effect-level-moderate', value: AscFormat.ENTRANCE_FLOAT_UP, displayValue: this.textFloatUp, familyEffect: 'entrfloat'}, {group: 'menu-effect-group-entrance', level: 'menu-effect-level-moderate', value: AscFormat.ENTRANCE_GROW_AND_TURN, displayValue: this.textGrowTurn}, {group: 'menu-effect-group-entrance', level: 'menu-effect-level-moderate', value: AscFormat.ENTRANCE_RISE_UP, displayValue: this.textRiseUp}, {group: 'menu-effect-group-entrance', level: 'menu-effect-level-moderate', value: AscFormat.ENTRANCE_SPINNER, displayValue: this.textSpinner}, @@ -943,7 +922,7 @@ define(function(){ 'use strict'; {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}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-subtle', value: AscFormat.EMPHASIS_CONTRASTING_DARKEN, displayValue: this.textDarken}, - {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-subtle', value: AscFormat.EMPHASIS_DESATURAT, displayValue: this.textDesaturate}, + {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-subtle', value: AscFormat.EMPHASIS_DESATURATE, displayValue: this.textDesaturate}, {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}, @@ -953,15 +932,15 @@ define(function(){ 'use strict'; {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-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}, + {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}, - {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_CIRCLE, displayValue: this.textCircle}, - {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_DIAMOND, displayValue: this.textDiamond}, + {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_CIRCLE, displayValue: this.textCircle, familyEffect: 'shape'}, + {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_DIAMOND, displayValue: this.textDiamond, familyEffect: 'shape'}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_DISAPPEAR, displayValue: this.textDisappear}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_DISSOLVE_OUT, displayValue: this.textDissolveOut}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_FLY_OUT_TO, displayValue: this.textFlyOut}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_PEEK_OUT_TO, displayValue: this.textPeekOut}, - {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_PLUS, displayValue: this.textPlus}, + {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_PLUS, displayValue: this.textPlus, familyEffect: 'shape'}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_RANDOM_BARS, displayValue: this.textRandomBars}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_SPLIT, displayValue: this.textSplit}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_STRIPS, displayValue: this.textStrips}, @@ -975,10 +954,10 @@ define(function(){ 'use strict'; {group: 'menu-effect-group-exit', level: 'menu-effect-level-moderate', value: AscFormat.EXIT_BASIC_ZOOM, displayValue: this.textBasicZoom}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-moderate', value: AscFormat.EXIT_CENTER_REVOLVE, displayValue: this.textCenterRevolve}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-moderate', value: AscFormat.EXIT_COLLAPSE, displayValue: this.textCollapse}, - {group: 'menu-effect-group-exit', level: 'menu-effect-level-moderate', value: AscFormat.EXIT_FLOAT_DOWN, displayValue: this.textFloatDown}, - {group: 'menu-effect-group-exit', level: 'menu-effect-level-moderate', value: AscFormat.EXIT_FLOAT_UP, displayValue: this.textFloatUp}, + {group: 'menu-effect-group-exit', level: 'menu-effect-level-moderate', value: AscFormat.EXIT_FLOAT_DOWN, displayValue: this.textFloatDown, familyEffect: 'exitfloat'}, + {group: 'menu-effect-group-exit', level: 'menu-effect-level-moderate', value: AscFormat.EXIT_FLOAT_UP, displayValue: this.textFloatUp, familyEffect: 'exitfloat'}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-moderate', value: AscFormat.EXIT_SHRINK_AND_TURN, displayValue: this.textShrinkTurn}, - {group: 'menu-effect-group-exit', level: 'menu-effect-level-moderate', value: AscFormat.EXIT_SINK_DOWN, displayValue: this.textSinkDown}, //sink down- EXIT_SHRINK_DOWN? + {group: 'menu-effect-group-exit', level: 'menu-effect-level-moderate', value: AscFormat.EXIT_SINK_DOWN, displayValue: this.textSinkDown}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-moderate', value: AscFormat.EXIT_SPINNER, displayValue: this.textSpinner}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-moderate', value: AscFormat.EXIT_STRETCHY, displayValue: this.textStretch}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-exciting', value: AscFormat.EXIT_BASIC_SWIVEL, displayValue: this.textBasicSwivel}, @@ -996,24 +975,24 @@ define(function(){ 'use strict'; {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_PATH_5_POINT_STAR, displayValue: this.textPointStar5}, {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_PATH_6_POINT_STAR, displayValue: this.textPointStar6}, {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_PATH_8_POINT_STAR, displayValue: this.textPointStar8}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_CIRCLE, displayValue: this.textCircle}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_CIRCLE, displayValue: this.textCircle, familyEffect: 'pathshapes'}, {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_CRESCENT_MOON, displayValue: this.textCrescentMoon}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_DIAMOND, displayValue: this.textDiamond}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_EQUAL_TRIANGLE, displayValue: this.textEqualTriangle}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_DIAMOND, displayValue: this.textDiamond, familyEffect: 'pathshapes'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_EQUAL_TRIANGLE, displayValue: this.textEqualTriangle, familyEffect: 'pathshapes'}, {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_FOOTBALL, displayValue: this.textFootball}, {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_HEART, displayValue: this.textHeart}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_HEXAGON, displayValue: this.textHexagon}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_OCTAGON, displayValue: this.textOctagon}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_PARALLELOGRAM, displayValue: this.textParallelogram}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_PENTAGON, displayValue: this.textPentagon}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_RIGHT_TRIANGLE, displayValue: this.textRightTriangle}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_SQUARE, displayValue: this.textSquare}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_HEXAGON, displayValue: this.textHexagon, familyEffect: 'pathshapes'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_OCTAGON, displayValue: this.textOctagon, familyEffect: 'pathshapes'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_PARALLELOGRAM, displayValue: this.textParallelogram, familyEffect: 'pathshapes'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_PENTAGON, displayValue: this.textPentagon, familyEffect: 'pathshapes'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_RIGHT_TRIANGLE, displayValue: this.textRightTriangle, familyEffect: 'pathshapes'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_SQUARE, displayValue: this.textSquare, familyEffect: 'pathshapes'}, {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_TEARDROP, displayValue: this.textTeardrop}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_TRAPEZOID, displayValue: this.textTrapezoid}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_ARC_DOWN, displayValue: this.textArcDown}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_ARC_LEFT, displayValue: this.textArcLeft}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_ARC_RIGHT, displayValue: this.textArcRight}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_ARC_UP, displayValue: this.textArcUp}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-basic', value: AscFormat.MOTION_TRAPEZOID, displayValue: this.textTrapezoid, familyEffect: 'pathshapes'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_ARC_DOWN, displayValue: this.textArcDown, familyEffect: 'patharcs'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_ARC_LEFT, displayValue: this.textArcLeft, familyEffect: 'patharcs'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_ARC_RIGHT, displayValue: this.textArcRight, familyEffect: 'patharcs'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_ARC_UP, displayValue: this.textArcUp, familyEffect: 'patharcs'}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_BOUNCE_LEFT, displayValue: this.textBounceLeft}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_BOUNCE_RIGHT, displayValue: this.textBounceRight}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_CURVY_LEFT, displayValue: this.textCurvyLeft}, @@ -1021,10 +1000,11 @@ define(function(){ 'use strict'; {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_DECAYING_WAVE, displayValue: this.textDecayingWave}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_DIAGONAL_DOWN_RIGHT, displayValue: this.textDiagonalDownRight}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_DIAGONAL_UP_RIGHT, displayValue: this.textDiagonalUpRight}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_DOWN, displayValue: this.textDown}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_DOWN, displayValue: this.textDown, familyEffect: 'pathlines'}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_FUNNEL, displayValue: this.textFunnel}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_HEARTBEAT, displayValue: this.textHeartbeat}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_LEFT, displayValue: this.textLeft}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_LEFT, displayValue: this.textLeft, familyEffect: 'pathlines'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_RIGHT, displayValue: this.textRight, familyEffect: 'pathlines'}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_S_CURVE_1, displayValue: this.textSCurve1}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_S_CURVE_2, displayValue: this.textSCurve2}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_SINE_WAVE, displayValue: this.textSineWave}, @@ -1032,11 +1012,11 @@ define(function(){ 'use strict'; {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_SINE_SPIRAL_RIGHT, displayValue: this.textSpiralRight}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_SPRING, displayValue: this.textSpring}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_STAIRS_DOWN, displayValue: this.textStairsDown}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_TURN_DOWN, displayValue: this.textTurnDown}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_TURN_DOWN_RIGHT, displayValue: this.textTurnDownRight}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_TURN_UP, displayValue: this.textTurnUp}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_TURN_UP_RIGHT, displayValue: this.textTurnUpRight}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_UP, displayValue: this.textUp}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_TURN_DOWN, displayValue: this.textTurnDown, familyEffect: 'pathturns'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_TURN_DOWN_RIGHT, displayValue: this.textTurnDownRight, familyEffect: 'pathturns'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_TURN_UP, displayValue: this.textTurnUp, familyEffect: 'pathturns'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_TURN_UP_RIGHT, displayValue: this.textTurnUpRight, familyEffect: 'pathturns'}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_UP, displayValue: this.textUp, familyEffect: 'pathlines'}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_WAVE, displayValue: this.textWave}, {group: 'menu-effect-group-path', level: 'menu-effect-level-lines_curves', value: AscFormat.MOTION_ZIGZAG, displayValue: this.textZigzag}, {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_BEAN, displayValue: this.textBean}, @@ -1044,15 +1024,15 @@ define(function(){ 'use strict'; {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_CURVED_X, displayValue: this.textCurvedX}, {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_CURVY_STAR, displayValue: this.textCurvyStar}, {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_FIGURE_8_FOUR, displayValue: this.textFigureFour}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_HORIZONTAL_FIGURE_8_FOUR, displayValue: this.textHorizontalFigure}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_HORIZONTAL_FIGURE_8_FOUR, displayValue: this.textHorizontalFigure, familyEffect: 'pathloops'}, {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_INVERTED_SQUARE, displayValue: this.textInvertedSquare}, {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_INVERTED_TRIANGLE, displayValue: this.textInvertedTriangle}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_LOOP_DE_LOOP, displayValue: this.textLoopDeLoop}, + {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_LOOP_DE_LOOP, displayValue: this.textLoopDeLoop, familyEffect: 'pathloops'}, {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_NEUTRON, displayValue: this.textNeutron}, {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_PEANUT, displayValue: this.textPeanut}, {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_POINTY_STAR, displayValue: this.textPointStar}, {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_SWOOSH, displayValue: this.textSwoosh}, - {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_VERTICAL_FIGURE_8, displayValue: this.textVerticalFigure} + {group: 'menu-effect-group-path', level: 'menu-effect-level-special', value: AscFormat.MOTION_VERTICAL_FIGURE_8, displayValue: this.textVerticalFigure, familyEffect: 'pathloops'} ]; }, @@ -1063,33 +1043,33 @@ define(function(){ 'use strict'; switch (type) { case AscFormat.ENTRANCE_BLINDS: return [ - {value: AscFormat.ENTRANCE_BLINDS_HORIZONTAL, caption: this.textHorizontal}, + {value: AscFormat.ENTRANCE_BLINDS_HORIZONTAL, caption: this.textHorizontal, defvalue: true}, {value: AscFormat.ENTRANCE_BLINDS_VERTICAL, caption: this.textVertical} ]; case AscFormat.ENTRANCE_BOX: return [ - {value: AscFormat.ENTRANCE_BOX_IN, caption: this.textIn}, + {value: AscFormat.ENTRANCE_BOX_IN, caption: this.textIn, defvalue: true}, {value: AscFormat.ENTRANCE_BOX_OUT, caption: this.textOut} ]; case AscFormat.ENTRANCE_CHECKERBOARD: return [ - {value: AscFormat.ENTRANCE_CHECKERBOARD_ACROSS, caption: this.textAcross}, + {value: AscFormat.ENTRANCE_CHECKERBOARD_ACROSS, caption: this.textAcross, defvalue: true}, {value: AscFormat.ENTRANCE_CHECKERBOARD_DOWN, caption: this.textDown} ]; case AscFormat.ENTRANCE_CIRCLE: return [ - {value: AscFormat.ENTRANCE_CIRCLE_IN, caption: this.textIn}, + {value: AscFormat.ENTRANCE_CIRCLE_IN, caption: this.textIn, defvalue: true}, {value: AscFormat.ENTRANCE_CIRCLE_OUT, caption: this.textOut} ]; case AscFormat.ENTRANCE_DIAMOND: return [ - {value: AscFormat.ENTRANCE_DIAMOND_IN, caption: this.textIn}, + {value: AscFormat.ENTRANCE_DIAMOND_IN, caption: this.textIn, defvalue: true}, {value: AscFormat.ENTRANCE_DIAMOND_OUT, caption: this.textOut} ]; case AscFormat.ENTRANCE_FLY_IN_FROM: return [ - {value: AscFormat.ENTRANCE_FLY_IN_FROM_BOTTOM, caption: this.textFromBottom}, + {value: AscFormat.ENTRANCE_FLY_IN_FROM_BOTTOM, caption: this.textFromBottom, defvalue: true}, {value: AscFormat.ENTRANCE_FLY_IN_FROM_BOTTOM_LEFT, caption: this.textFromBottomLeft}, {value: AscFormat.ENTRANCE_FLY_IN_FROM_LEFT, caption: this.textFromLeft}, {value: AscFormat.ENTRANCE_FLY_IN_FROM_TOP_LEFT, caption: this.textFromTopLeft}, @@ -1100,58 +1080,58 @@ define(function(){ 'use strict'; ]; case AscFormat.ENTRANCE_PEEK_IN_FROM: return [ - {value: AscFormat.ENTRANCE_PEEK_IN_FROM_BOTTOM, caption: this.textFromBottom}, + {value: AscFormat.ENTRANCE_PEEK_IN_FROM_BOTTOM, caption: this.textFromBottom, defvalue: true}, {value: AscFormat.ENTRANCE_PEEK_IN_FROM_LEFT, caption: this.textFromLeft}, {value: AscFormat.ENTRANCE_PEEK_IN_FROM_RIGHT, caption: this.textFromRight}, {value: AscFormat.ENTRANCE_PEEK_IN_FROM_TOP, caption: this.textFromTop} ]; case AscFormat.ENTRANCE_PLUS: return [ - {value: AscFormat.ENTRANCE_PLUS_IN, caption: this.textIn}, + {value: AscFormat.ENTRANCE_PLUS_IN, caption: this.textIn, defvalue: true}, {value: AscFormat.ENTRANCE_PLUS_OUT, caption: this.textOut} ]; case AscFormat.ENTRANCE_RANDOM_BARS: return [ - {value: AscFormat.ENTRANCE_RANDOM_BARS_HORIZONTAL, caption: this.textHorizontal}, + {value: AscFormat.ENTRANCE_RANDOM_BARS_HORIZONTAL, caption: this.textHorizontal, defvalue: true}, {value: AscFormat.ENTRANCE_RANDOM_BARS_VERTICAL, caption: this.textVertical} ]; case AscFormat.ENTRANCE_SPLIT: return [ {value: AscFormat.ENTRANCE_SPLIT_HORIZONTAL_IN, caption: this.textHorizontalIn}, {value: AscFormat.ENTRANCE_SPLIT_HORIZONTAL_OUT, caption: this.textHorizontalOut}, - {value: AscFormat.ENTRANCE_SPLIT_VERTICAL_IN, caption: this.textVerticalIn}, + {value: AscFormat.ENTRANCE_SPLIT_VERTICAL_IN, caption: this.textVerticalIn, defvalue: true}, {value: AscFormat.ENTRANCE_SPLIT_VERTICAL_OUT, caption: this.textVerticalOut} ]; case AscFormat.ENTRANCE_STRIPS: return [ - {value: AscFormat.ENTRANCE_STRIPS_LEFT_DOWN, caption: this.textLeftDown}, + {value: AscFormat.ENTRANCE_STRIPS_LEFT_DOWN, caption: this.textLeftDown, defvalue: true}, {value: AscFormat.ENTRANCE_STRIPS_LEFT_UP, caption: this.textLeftUp}, {value: AscFormat.ENTRANCE_STRIPS_RIGHT_DOWN, caption: this.textRightDown}, {value: AscFormat.ENTRANCE_STRIPS_RIGHT_UP, caption: this.textRightUp} ]; case AscFormat.ENTRANCE_WHEEL: return [ - {value: AscFormat.ENTRANCE_WHEEL_1_SPOKE, caption: this.textSpoke1}, - {value: AscFormat.ENTRANCE_WHEEL_2_SPOKE, caption: this.textSpoke2}, - {value: AscFormat.ENTRANCE_WHEEL_3_SPOKE, caption: this.textSpoke3}, - {value: AscFormat.ENTRANCE_WHEEL_4_SPOKE, caption: this.textSpoke4}, - {value: AscFormat.ENTRANCE_WHEEL_8_SPOKE, caption: this.textSpoke8} + {value: AscFormat.ENTRANCE_WHEEL_1_SPOKE, caption: this.textSpoke1, defvalue: true}, + {value: AscFormat.ENTRANCE_WHEEL_2_SPOKES, caption: this.textSpoke2}, + {value: AscFormat.ENTRANCE_WHEEL_3_SPOKES, caption: this.textSpoke3}, + {value: AscFormat.ENTRANCE_WHEEL_4_SPOKES, caption: this.textSpoke4}, + {value: AscFormat.ENTRANCE_WHEEL_8_SPOKES, caption: this.textSpoke8} ]; case AscFormat.ENTRANCE_WIPE_FROM: return [ - {value: AscFormat.ENTRANCE_WIPE_FROM_BOTTOM, caption: this.textFromBottom}, + {value: AscFormat.ENTRANCE_WIPE_FROM_BOTTOM, caption: this.textFromBottom, defvalue: true}, {value: AscFormat.ENTRANCE_WIPE_FROM_LEFT, caption: this.textFromLeft}, {value: AscFormat.ENTRANCE_WIPE_FROM_RIGHT, caption: this.textFromRight}, - {value: AscFormat.ENTRANCE_WIPE_FROM_FROM_TOP, caption: this.textFromTop} + {value: AscFormat.ENTRANCE_WIPE_FROM_TOP, caption: this.textFromTop} ]; case AscFormat.ENTRANCE_ZOOM: return [ - {value: AscFormat.ENTRANCE_ZOOM_OBJECT_CENTER, caption: this.textObjectCenter}, + {value: AscFormat.ENTRANCE_ZOOM_OBJECT_CENTER, caption: this.textObjectCenter, defvalue: true}, {value: AscFormat.ENTRANCE_ZOOM_SLIDE_CENTER, caption: this.textSlideCenter} ]; case AscFormat.ENTRANCE_BASIC_ZOOM: return [ - {value: AscFormat.ENTRANCE_BASIC_ZOOM_IN, caption: this.textIn}, + {value: AscFormat.ENTRANCE_BASIC_ZOOM_IN, caption: this.textIn, defvalue: true}, {value: AscFormat.ENTRANCE_BASIC_ZOOM_IN_FROM_SCREEN_CENTER, caption: this.textInFromScreenCenter}, {value: AscFormat.ENTRANCE_BASIC_ZOOM_IN_SLIGHTLY, caption: this.textInSlightly}, {value: AscFormat.ENTRANCE_BASIC_ZOOM_OUT, caption: this.textOut}, @@ -1160,7 +1140,7 @@ define(function(){ 'use strict'; ]; case AscFormat.ENTRANCE_STRETCH: return [ - {value: AscFormat.ENTRANCE_STRETCH_ACROSS, caption: this.textAcross}, + {value: AscFormat.ENTRANCE_STRETCH_ACROSS, caption: this.textAcross, defvalue: true}, {value: AscFormat.ENTRANCE_STRETCH_FROM_BOTTOM, caption: this.textFromBottom}, {value: AscFormat.ENTRANCE_STRETCH_FROM_LEFT, caption: this.textFromLeft}, {value: AscFormat.ENTRANCE_STRETCH_FROM_RIGHT, caption: this.textFromRight}, @@ -1168,7 +1148,7 @@ define(function(){ 'use strict'; ]; case AscFormat.ENTRANCE_BASIC_SWIVEL: return [ - {value: AscFormat.ENTRANCE_BASIC_SWIVEL_HORIZONTAL, caption: this.textHorizontal}, + {value: AscFormat.ENTRANCE_BASIC_SWIVEL_HORIZONTAL, caption: this.textHorizontal, defvalue: true}, {value: AscFormat.ENTRANCE_BASIC_SWIVEL_VERTICAL, caption: this.textVertical} ]; default: @@ -1180,32 +1160,32 @@ define(function(){ 'use strict'; switch (type){ case AscFormat.EXIT_BLINDS: return [ - {value: AscFormat.EXIT_BLINDS_HORIZONTAL, caption: this.textHorizontal}, + {value: AscFormat.EXIT_BLINDS_HORIZONTAL, caption: this.textHorizontal, defvalue: true}, {value: AscFormat.EXIT_BLINDS_VERTICAL, caption: this.textVertical} ]; case AscFormat.EXIT_BOX: return [ {value: AscFormat.EXIT_BOX_IN, caption: this.textIn}, - {value: AscFormat.EXIT_BOX_OUT, caption: this.textOut} + {value: AscFormat.EXIT_BOX_OUT, caption: this.textOut, defvalue: true} ]; case AscFormat.EXIT_CHECKERBOARD: return [ - {value: AscFormat.EXIT_CHECKERBOARD_ACROSS, caption: this.textAcross}, + {value: AscFormat.EXIT_CHECKERBOARD_ACROSS, caption: this.textAcross, defvalue: true}, {value: AscFormat.EXIT_CIRCLE_OUT, caption: this.textUp} ]; case AscFormat.EXIT_CIRCLE: return [ {value: AscFormat.EXIT_CIRCLE_IN, caption: this.textIn}, - {value: AscFormat.EXIT_BOX_OUT, caption: this.textOut} + {value: AscFormat.EXIT_CIRCLE_OUT, caption: this.textOut, defvalue: true} ]; case AscFormat.EXIT_DIAMOND: return [ {value: AscFormat.EXIT_DIAMOND_IN, caption: this.textIn}, - {value: AscFormat.EXIT_DIAMOND_IN, caption: this.textOut} + {value: AscFormat.EXIT_DIAMOND_OUT, caption: this.textOut, defvalue: true} ]; case AscFormat.EXIT_FLY_OUT_TO: return [ - {value: AscFormat.EXIT_FLY_OUT_TO_BOTTOM, caption: this.textToBottom}, + {value: AscFormat.EXIT_FLY_OUT_TO_BOTTOM, caption: this.textToBottom, defvalue: true}, {value: AscFormat.EXIT_FLY_OUT_TO_BOTTOM_LEFT, caption: this.textToBottomLeft}, {value: AscFormat.EXIT_FLY_OUT_TO_LEFT, caption: this.textToLeft}, {value: AscFormat.EXIT_FLY_OUT_TO_TOP_LEFT, caption: this.textToTopLeft}, @@ -1216,7 +1196,7 @@ define(function(){ 'use strict'; ]; case AscFormat.EXIT_PEEK_OUT_TO: return [ - {value: AscFormat.EXIT_PEEK_OUT_TO_BOTTOM, caption: this.textToBottom}, + {value: AscFormat.EXIT_PEEK_OUT_TO_BOTTOM, caption: this.textToBottom, defvalue: true}, {value: AscFormat.EXIT_PEEK_OUT_TO_LEFT, caption: this.textToLeft}, {value: AscFormat.EXIT_PEEK_OUT_TO_RIGHT, caption: this.textToRight}, {value: AscFormat.EXIT_PEEK_OUT_TO_TOP, caption: this.textToTop} @@ -1224,59 +1204,59 @@ define(function(){ 'use strict'; case AscFormat.EXIT_PLUS: return [ {value: AscFormat.EXIT_PLUS_IN, caption: this.textIn}, - {value: AscFormat.EXIT_PLUS_OUT, caption: this.textOut} + {value: AscFormat.EXIT_PLUS_OUT, caption: this.textOut, defvalue: true} ]; case AscFormat.EXIT_RANDOM_BARS: return [ - {value: AscFormat.EXIT_RANDOM_BARS_HORIZONTAL, caption: this.textHorizontal}, + {value: AscFormat.EXIT_RANDOM_BARS_HORIZONTAL, caption: this.textHorizontal, defvalue: true}, {value: AscFormat.EXIT_RANDOM_BARS_VERTICAL, caption: this.textVertical} ]; case AscFormat.EXIT_SPLIT: return [ {value: AscFormat.EXIT_SPLIT_HORIZONTAL_IN, caption: this.textHorizontalIn}, {value: AscFormat.EXIT_SPLIT_HORIZONTAL_OUT, caption: this.textHorizontalOut}, - {value: AscFormat.EXIT_SPLIT_VERTICAL_IN, caption: this.textVerticalIn}, + {value: AscFormat.EXIT_SPLIT_VERTICAL_IN, caption: this.textVerticalIn, defvalue: true}, {value: AscFormat.EXIT_SPLIT_VERTICAL_OUT, caption: this.textVerticalOut} ]; case AscFormat.EXIT_STRIPS: return [ - {value: AscFormat.EXIT_STRIPS_LEFT_DOWN, caption: this.textLeftDown}, + {value: AscFormat.EXIT_STRIPS_LEFT_DOWN, caption: this.textLeftDown, defvalue: true}, {value: AscFormat.EXIT_STRIPS_LEFT_UP, caption: this.textLeftUp}, {value: AscFormat.EXIT_STRIPS_RIGHT_DOWN, caption: this.textRightDown}, {value: AscFormat.EXIT_STRIPS_RIGHT_UP, caption: this.textRightUp} ]; case AscFormat.EXIT_WHEEL: return [ - {value: AscFormat.EXIT_WHEEL_1_SPOKE, caption: this.textSpoke1}, - {value: AscFormat.EXIT_WHEEL_2_SPOKE, caption: this.textSpoke2}, - {value: AscFormat.EXIT_WHEEL_3_SPOKE, caption: this.textSpoke3}, - {value: AscFormat.EXIT_WHEEL_4_SPOKE, caption: this.textSpoke4}, - {value: AscFormat.EXIT_WHEEL_8_SPOKE, caption: this.textSpoke8} + {value: AscFormat.EXIT_WHEEL_1_SPOKE, caption: this.textSpoke1, defvalue: true}, + {value: AscFormat.EXIT_WHEEL_2_SPOKES, caption: this.textSpoke2}, + {value: AscFormat.EXIT_WHEEL_3_SPOKES, caption: this.textSpoke3}, + {value: AscFormat.EXIT_WHEEL_4_SPOKES, caption: this.textSpoke4}, + {value: AscFormat.EXIT_WHEEL_8_SPOKES, caption: this.textSpoke8} ]; case AscFormat.EXIT_WIPE_FROM: return [ - {value: AscFormat.EXIT_WIPE_FROM_BOTTOM, caption: this.textFromBottom}, + {value: AscFormat.EXIT_WIPE_FROM_BOTTOM, caption: this.textFromBottom, defvalue: true}, {value: AscFormat.EXIT_WIPE_FROM_LEFT, caption: this.textFromLeft}, {value: AscFormat.EXIT_WIPE_FROM_RIGHT, caption: this.textFromRight}, {value: AscFormat.EXIT_WIPE_FROM_TOP, caption: this.textFromTop} ]; case AscFormat.EXIT_ZOOM: return [ - {value: AscFormat.ENTRANCE_ZOOM_OBJECT_CENTER, caption: this.textObjectCenter}, - {value: AscFormat.ENTRANCE_ZOOM_SLIDE_CENTER, caption: this.textSlideCenter} + {value: AscFormat.EXIT_ZOOM_OBJECT_CENTER, caption: this.textObjectCenter, defvalue: true}, + {value: AscFormat.EXIT_ZOOM_SLIDE_CENTER, caption: this.textSlideCenter} ]; case AscFormat.EXIT_BASIC_ZOOM: return [ + {value: AscFormat.EXIT_BASIC_ZOOM_OUT, caption: this.textOut, defvalue: true}, + {value: AscFormat.EXIT_BASIC_ZOOM_OUT_TO_SCREEN_CENTER, caption: this.textOutToScreenCenter}, + {value: AscFormat.EXIT_BASIC_ZOOM_OUT_SLIGHTLY, caption: this.textOutSlightly}, {value: AscFormat.EXIT_BASIC_ZOOM_IN, caption: this.textIn}, - {value: AscFormat.EXIT_BASIC_ZOOM_IN_TO_SCREEN_BOTTOM, caption: this.textInToScreenCenter}, - {value: AscFormat.EXIT_BASIC_ZOOM_IN_SLIGHTLY, caption: this.textInSlightly}, - {value: AscFormat.EXIT_BASIC_ZOOM_OUT, caption: this.textOut}, - {value: AscFormat.EXIT_BASIC_ZOOM_OUT_TO_SCREEN_CENTER, caption: this.textOutToScreenBottom}, - {value: AscFormat.EXIT_BASIC_ZOOM_OUT_SLIGHTLY, caption: this.textOutSlightly} + {value: AscFormat.EXIT_BASIC_ZOOM_IN_TO_SCREEN_BOTTOM, caption: this.textInToScreenBottom}, + {value: AscFormat.EXIT_BASIC_ZOOM_IN_SLIGHTLY, caption: this.textInSlightly} ]; case AscFormat.EXIT_COLLAPSE: return [ - {value: AscFormat.EXIT_COLLAPSE_ACROSS, caption: this.textAcross}, + {value: AscFormat.EXIT_COLLAPSE_ACROSS, caption: this.textAcross, defvalue: true}, {value: AscFormat.EXIT_COLLAPSE_TO_BOTTOM, caption: this.textToBottom}, {value: AscFormat.EXIT_COLLAPSE_TO_LEFT, caption: this.textToLeft}, {value: AscFormat.EXIT_COLLAPSE_TO_RIGHT, caption: this.textToRight}, @@ -1284,7 +1264,7 @@ define(function(){ 'use strict'; ]; case AscFormat.EXIT_BASIC_SWIVEL: return [ - {value: AscFormat.EXIT_BASIC_SWIVEL_HORIZONTAL, caption: this.textHorizontal}, + {value: AscFormat.EXIT_BASIC_SWIVEL_HORIZONTAL, caption: this.textHorizontal, defvalue: true}, {value: AscFormat.EXIT_BASIC_SWIVEL_VERTICAL, caption: this.textVertical} ]; default: @@ -1294,6 +1274,77 @@ define(function(){ 'use strict'; default: return undefined; } + }, + getSimilarEffectsArray: function (group, familyEffect) { + switch (familyEffect){ + case 'shape': + return [ + {value: AscFormat.EXIT_CIRCLE, caption: this.textCircle}, + {value: AscFormat.EXIT_BOX, caption: this.textBox}, + {value: AscFormat.EXIT_DIAMOND, caption: this.textDiamond}, + {value: AscFormat.EXIT_PLUS, caption: this.textPlus} + ]; + case 'entrshape': + return [ + {value: AscFormat.ENTRANCE_CIRCLE, caption: this.textCircle}, + {value: AscFormat.ENTRANCE_BOX, caption: this.textBox}, + {value: AscFormat.ENTRANCE_DIAMOND, caption: this.textDiamond}, + {value: AscFormat.ENTRANCE_PLUS, caption: this.textPlus} + ]; + case 'pathlines': + return[ + {value: AscFormat.MOTION_DOWN, caption: this.textDown}, + {value: AscFormat.MOTION_LEFT, caption: this.textLeft}, + {value: AscFormat.MOTION_RIGHT, caption: this.textRight}, + {value: AscFormat.MOTION_UP, caption: this.textUp} + ]; + case 'patharcs': + return [ + {value: AscFormat.MOTION_ARC_DOWN, caption: this.textArcDown}, + {value: AscFormat.MOTION_ARC_LEFT, caption: this.textArcLeft}, + {value: AscFormat.MOTION_ARC_RIGHT, caption: this.textArcRight}, + {value: AscFormat.MOTION_ARC_UP, caption: this.textArcUp} + ]; + case 'pathturns': + return [ + {value: AscFormat.MOTION_TURN_DOWN, caption: this.textTurnDown}, + {value: AscFormat.MOTION_TURN_DOWN_RIGHT, caption: this.textTurnDownRight}, + {value: AscFormat.MOTION_TURN_UP, caption: this.textTurnUp}, + {value: AscFormat.MOTION_TURN_UP_RIGHT, caption: this.textTurnUpRight} + ]; + case 'pathshapes': + return [ + {value: AscFormat.MOTION_CIRCLE, caption: this.textCircle}, + {value: AscFormat.MOTION_DIAMOND, caption: this.textDiamond}, + {value: AscFormat.MOTION_EQUAL_TRIANGLE, caption: this.textEqualTriangle}, + {value: AscFormat.MOTION_HEXAGON, caption: this.textHexagon}, + {value: AscFormat.MOTION_OCTAGON, caption: this.textOctagon}, + {value: AscFormat.MOTION_PARALLELOGRAM, caption: this.textParallelogram}, + {value: AscFormat.MOTION_PENTAGON, caption: this.textPentagon}, + {value: AscFormat.MOTION_RIGHT_TRIANGLE, caption: this.textRightTriangle}, + {value: AscFormat.MOTION_SQUARE, caption: this.textSquare}, + {value: AscFormat.MOTION_TRAPEZOID, caption: this.textTrapezoid} + + ]; + case 'pathloops': + return [ + {value: AscFormat.MOTION_HORIZONTAL_FIGURE_8_FOUR, caption: this.textHorizontalFigure}, + {value: AscFormat.MOTION_VERTICAL_FIGURE_8, caption: this.textVerticalFigure}, + {value: AscFormat.MOTION_LOOP_DE_LOOP, caption: this.textLoopDeLoop} + ]; + case 'entrfloat': + return [ + {value: AscFormat.ENTRANCE_FLOAT_UP, caption: this.textFloatUp}, + {value: AscFormat.ENTRANCE_FLOAT_DOWN, caption: this.textFloatDown} + ]; + case 'exitfloat': + return [ + {value: AscFormat.EXIT_FLOAT_UP, caption: this.textFloatUp}, + {value: AscFormat.EXIT_FLOAT_DOWN, caption: this.textFloatDown} + ]; + default: + return []; + } } } })(), Common.define.effectData || {}); diff --git a/apps/common/main/lib/view/About.js b/apps/common/main/lib/view/About.js index e588215ae..04f3530eb 100644 --- a/apps/common/main/lib/view/About.js +++ b/apps/common/main/lib/view/About.js @@ -235,10 +235,10 @@ define([ this.lblCompanyLic.parents('tr').addClass('hidden'); value = Common.UI.Themes.isDarkTheme() ? (customer.logoDark || customer.logo) : (customer.logo || customer.logoDark); - value.length ? + value && value.length ? this.divCompanyLogo.html('') : this.divCompanyLogo.parents('tr').addClass('hidden'); - value.length && Common.NotificationCenter.on('uitheme:changed', this.changeLogo.bind(this)); + value && value.length && Common.NotificationCenter.on('uitheme:changed', this.changeLogo.bind(this)); } else { this.cntLicenseeInfo.addClass('hidden'); this.cntLicensorInfo.addClass('margin-bottom'); diff --git a/apps/common/main/lib/view/AutoCorrectDialog.js b/apps/common/main/lib/view/AutoCorrectDialog.js index 4d813d42c..0cea0bf82 100644 --- a/apps/common/main/lib/view/AutoCorrectDialog.js +++ b/apps/common/main/lib/view/AutoCorrectDialog.js @@ -325,6 +325,16 @@ define([ 'text!common/main/lib/template/AutoCorrectDialog.template', Common.Utils.InternalSettings.set(me.appPrefix + "settings-autoformat-numbered", checked); me.api.asc_SetAutomaticNumberedLists(checked); }); + this.chDoubleSpaces = new Common.UI.CheckBox({ + el: panelAutoFormat.find('#id-autocorrect-dialog-chk-double-space'), + labelText: this.textDoubleSpaces, + value: Common.Utils.InternalSettings.get(this.appPrefix + "settings-autoformat-double-space") + }).on('change', function(field, newValue, oldValue, eOpts){ + var checked = (field.getValue()==='checked'); + Common.localStorage.setBool(me.appPrefix + "settings-autoformat-double-space", checked); + Common.Utils.InternalSettings.set(me.appPrefix + "settings-autoformat-double-space", checked); + me.api.asc_SetAutoCorrectDoubleSpaceWithPeriod(checked); + }); // AutoCorrect this.chFLSentence = new Common.UI.CheckBox({ el: $window.find('#id-autocorrect-dialog-chk-fl-sentence'), @@ -841,7 +851,8 @@ define([ 'text!common/main/lib/template/AutoCorrectDialog.template', textAutoCorrect: 'AutoCorrect', textFLSentence: 'Capitalize first letter of sentences', textHyperlink: 'Internet and network paths with hyperlinks', - textFLCells: 'Capitalize first letter of table cells' + textFLCells: 'Capitalize first letter of table cells', + textDoubleSpaces: 'Add period with double-space' }, Common.Views.AutoCorrectDialog || {})) }); diff --git a/apps/common/main/lib/view/Comments.js b/apps/common/main/lib/view/Comments.js index d3fefb834..dd04ce064 100644 --- a/apps/common/main/lib/view/Comments.js +++ b/apps/common/main/lib/view/Comments.js @@ -806,7 +806,7 @@ define([ }, pickEMail: function (commentId, message) { - var arr = Common.Utils.String.htmlEncode(message).match(/\B[@+][A-Z0-9._%+-]+@[A-Z0-9._]+\.[A-Z]+\b/gi); + var arr = Common.Utils.String.htmlEncode(message).match(/\B[@+][A-Z0-9._%+-]+@[A-Z0-9._-]+\.[A-Z]+\b/gi); arr = _.map(arr, function(str){ return str.slice(1, str.length); }); diff --git a/apps/common/main/lib/view/OpenDialog.js b/apps/common/main/lib/view/OpenDialog.js index 0934a73d9..1a1681619 100644 --- a/apps/common/main/lib/view/OpenDialog.js +++ b/apps/common/main/lib/view/OpenDialog.js @@ -484,16 +484,18 @@ define([ if (this.type == Common.Utils.importTextType.CSV || this.type == Common.Utils.importTextType.Paste || this.type == Common.Utils.importTextType.Columns || this.type == Common.Utils.importTextType.Data) { var maxlength = 0; for (var i=0; imaxlength) - maxlength = data[i].length; + var str = data[i] || ''; + if (str.length>maxlength) + maxlength = str.length; } var tpl = ''; for (var i=0; i'; + for (var j=0; j'; } - for (j=data[i].length; j'; + var str = data[i] || ''; + tpl += ''; } tpl += '
' + Common.Utils.String.htmlEncode(str) + '
'; } diff --git a/apps/common/main/lib/view/PluginDlg.js b/apps/common/main/lib/view/PluginDlg.js new file mode 100644 index 000000000..81a5e0ce5 --- /dev/null +++ b/apps/common/main/lib/view/PluginDlg.js @@ -0,0 +1,185 @@ +/* + * + * (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 + * +*/ +/** + * User: Julia.Radzhabova + * Date: 17.05.16 + * Time: 15:38 + */ + +if (Common === undefined) + var Common = {}; + +Common.Views = Common.Views || {}; + +define([ + 'common/main/lib/util/utils', + 'common/main/lib/component/BaseView', + 'common/main/lib/component/Layout', + 'common/main/lib/component/Window' +], function (template) { + 'use strict'; + + Common.Views.PluginDlg = Common.UI.Window.extend(_.extend({ + initialize : function(options) { + var _options = {}; + _.extend(_options, { + header: true, + enableKeyEvents: false + }, options); + + var header_footer = (_options.buttons && _.size(_options.buttons)>0) ? 85 : 34; + if (!_options.header) header_footer -= 34; + this.bordersOffset = 40; + _options.width = (Common.Utils.innerWidth()-this.bordersOffset*2-_options.width)<0 ? Common.Utils.innerWidth()-this.bordersOffset*2: _options.width; + _options.height += header_footer; + _options.height = (Common.Utils.innerHeight()-this.bordersOffset*2-_options.height)<0 ? Common.Utils.innerHeight()-this.bordersOffset*2: _options.height; + _options.cls += ' advanced-settings-dlg'; + + this.template = [ + '
', + '
', + '
', + '<% if ((typeof buttons !== "undefined") && _.size(buttons) > 0) { %>', + '
', + '<% } %>' + ].join(''); + + _options.tpl = _.template(this.template)(_options); + + this.url = options.url || ''; + this.frameId = options.frameId || 'plugin_iframe'; + Common.UI.Window.prototype.initialize.call(this, _options); + }, + + render: function() { + Common.UI.Window.prototype.render.call(this); + this.$window.find('> .body').css({height: 'auto', overflow: 'hidden'}); + + this.boxEl = this.$window.find('.body > .box'); + this._headerFooterHeight = (this.options.buttons && _.size(this.options.buttons)>0) ? 85 : 34; + if (!this.options.header) this._headerFooterHeight -= 34; + this._headerFooterHeight += ((parseInt(this.$window.css('border-top-width')) + parseInt(this.$window.css('border-bottom-width')))); + + var iframe = document.createElement("iframe"); + iframe.id = this.frameId; + iframe.name = 'pluginFrameEditor'; + iframe.width = '100%'; + iframe.height = '100%'; + iframe.align = "top"; + iframe.frameBorder = 0; + iframe.scrolling = "no"; + iframe.allow = "camera; microphone; display-capture"; + iframe.onload = _.bind(this._onLoad,this); + + var me = this; + setTimeout(function(){ + if (me.isLoaded) return; + me.loadMask = new Common.UI.LoadMask({owner: $('#id-plugin-placeholder')}); + me.loadMask.setTitle(me.textLoading); + me.loadMask.show(); + if (me.isLoaded) me.loadMask.hide(); + }, 500); + + iframe.src = this.url; + $('#id-plugin-placeholder').append(iframe); + + this.on('resizing', function(args){ + me.boxEl.css('height', parseInt(me.$window.css('height')) - me._headerFooterHeight); + }); + + var onMainWindowResize = function(){ + me.onWindowResize(); + }; + $(window).on('resize', onMainWindowResize); + this.on('close', function() { + $(window).off('resize', onMainWindowResize); + }); + }, + + _onLoad: function() { + this.isLoaded = true; + if (this.loadMask) + this.loadMask.hide(); + }, + + setInnerSize: function(width, height) { + var maxHeight = Common.Utils.innerHeight(), + maxWidth = Common.Utils.innerWidth(), + borders_width = (parseInt(this.$window.css('border-left-width')) + parseInt(this.$window.css('border-right-width'))), + bordersOffset = this.bordersOffset*2; + if (maxHeight - bordersOffsetmain_height-bordersOffset) + this.$window.css('top', main_height-bordersOffset - win_height); + if (leftmain_width-bordersOffset) + this.$window.css('left', main_width-bordersOffset-win_width); + } else { + if (win_height>main_height-bordersOffset*2) { + this.setHeight(Math.max(main_height-bordersOffset*2, this.initConfig.minheight)); + this.boxEl.css('height', Math.max(main_height-bordersOffset*2, this.initConfig.minheight) - this._headerFooterHeight); + this.$window.css('top', bordersOffset); + } + if (win_width>main_width-bordersOffset*2) { + this.setWidth(Math.max(main_width-bordersOffset*2, this.initConfig.minwidth)); + this.$window.css('left', bordersOffset); + } + } + }, + + textLoading : 'Loading' + }, Common.Views.PluginDlg || {})); +}); \ No newline at end of file diff --git a/apps/common/main/lib/view/Plugins.js b/apps/common/main/lib/view/Plugins.js index 449bf4be3..75ed76e8b 100644 --- a/apps/common/main/lib/view/Plugins.js +++ b/apps/common/main/lib/view/Plugins.js @@ -429,138 +429,4 @@ define([ groupCaption: 'Plugins' }, Common.Views.Plugins || {})); - - Common.Views.PluginDlg = Common.UI.Window.extend(_.extend({ - initialize : function(options) { - var _options = {}; - _.extend(_options, { - header: true, - enableKeyEvents: false - }, options); - - var header_footer = (_options.buttons && _.size(_options.buttons)>0) ? 85 : 34; - if (!_options.header) header_footer -= 34; - this.bordersOffset = 40; - _options.width = (Common.Utils.innerWidth()-this.bordersOffset*2-_options.width)<0 ? Common.Utils.innerWidth()-this.bordersOffset*2: _options.width; - _options.height += header_footer; - _options.height = (Common.Utils.innerHeight()-this.bordersOffset*2-_options.height)<0 ? Common.Utils.innerHeight()-this.bordersOffset*2: _options.height; - _options.cls += ' advanced-settings-dlg'; - - this.template = [ - '
', - '
', - '
', - '<% if ((typeof buttons !== "undefined") && _.size(buttons) > 0) { %>', - '
', - '<% } %>' - ].join(''); - - _options.tpl = _.template(this.template)(_options); - - this.url = options.url || ''; - this.frameId = options.frameId || 'plugin_iframe'; - Common.UI.Window.prototype.initialize.call(this, _options); - }, - - render: function() { - Common.UI.Window.prototype.render.call(this); - this.$window.find('> .body').css({height: 'auto', overflow: 'hidden'}); - - this.boxEl = this.$window.find('.body > .box'); - this._headerFooterHeight = (this.options.buttons && _.size(this.options.buttons)>0) ? 85 : 34; - if (!this.options.header) this._headerFooterHeight -= 34; - this._headerFooterHeight += ((parseInt(this.$window.css('border-top-width')) + parseInt(this.$window.css('border-bottom-width')))); - - var iframe = document.createElement("iframe"); - iframe.id = this.frameId; - iframe.name = 'pluginFrameEditor'; - iframe.width = '100%'; - iframe.height = '100%'; - iframe.align = "top"; - iframe.frameBorder = 0; - iframe.scrolling = "no"; - iframe.allow = "camera; microphone; display-capture"; - iframe.onload = _.bind(this._onLoad,this); - - var me = this; - setTimeout(function(){ - if (me.isLoaded) return; - me.loadMask = new Common.UI.LoadMask({owner: $('#id-plugin-placeholder')}); - me.loadMask.setTitle(me.textLoading); - me.loadMask.show(); - if (me.isLoaded) me.loadMask.hide(); - }, 500); - - iframe.src = this.url; - $('#id-plugin-placeholder').append(iframe); - - this.on('resizing', function(args){ - me.boxEl.css('height', parseInt(me.$window.css('height')) - me._headerFooterHeight); - }); - - var onMainWindowResize = function(){ - me.onWindowResize(); - }; - $(window).on('resize', onMainWindowResize); - this.on('close', function() { - $(window).off('resize', onMainWindowResize); - }); - }, - - _onLoad: function() { - this.isLoaded = true; - if (this.loadMask) - this.loadMask.hide(); - }, - - setInnerSize: function(width, height) { - var maxHeight = Common.Utils.innerHeight(), - maxWidth = Common.Utils.innerWidth(), - borders_width = (parseInt(this.$window.css('border-left-width')) + parseInt(this.$window.css('border-right-width'))), - bordersOffset = this.bordersOffset*2; - if (maxHeight - bordersOffsetmain_height-bordersOffset) - this.$window.css('top', main_height-bordersOffset - win_height); - if (leftmain_width-bordersOffset) - this.$window.css('left', main_width-bordersOffset-win_width); - } else { - if (win_height>main_height-bordersOffset*2) { - this.setHeight(Math.max(main_height-bordersOffset*2, this.initConfig.minheight)); - this.boxEl.css('height', Math.max(main_height-bordersOffset*2, this.initConfig.minheight) - this._headerFooterHeight); - this.$window.css('top', bordersOffset); - } - if (win_width>main_width-bordersOffset*2) { - this.setWidth(Math.max(main_width-bordersOffset*2, this.initConfig.minwidth)); - this.$window.css('left', bordersOffset); - } - } - }, - - textLoading : 'Loading' - }, Common.Views.PluginDlg || {})); }); \ No newline at end of file diff --git a/apps/common/main/resources/img/doc-formats/djvu.svg b/apps/common/main/resources/img/doc-formats/djvu.svg new file mode 100644 index 000000000..a318cff21 --- /dev/null +++ b/apps/common/main/resources/img/doc-formats/djvu.svg @@ -0,0 +1,18 @@ + + + + + + + + + + + + + + + + + + diff --git a/apps/common/main/resources/img/doc-formats/oxps.svg b/apps/common/main/resources/img/doc-formats/oxps.svg new file mode 100644 index 000000000..58d22cca5 --- /dev/null +++ b/apps/common/main/resources/img/doc-formats/oxps.svg @@ -0,0 +1,11 @@ + + + + + + + + + + + diff --git a/apps/common/main/resources/img/doc-formats/xps.svg b/apps/common/main/resources/img/doc-formats/xps.svg new file mode 100644 index 000000000..97a062128 --- /dev/null +++ b/apps/common/main/resources/img/doc-formats/xps.svg @@ -0,0 +1,11 @@ + + + + + + + + + + + diff --git a/apps/common/main/resources/less/dimension-picker.less b/apps/common/main/resources/less/dimension-picker.less index 405565a1b..421bf8ec1 100644 --- a/apps/common/main/resources/less/dimension-picker.less +++ b/apps/common/main/resources/less/dimension-picker.less @@ -21,6 +21,10 @@ //background: transparent repeat scroll 0 0; .background-ximage-all('dimension-picker/dimension-highlighted.png', 18px); background-repeat: repeat; + + .pixel-ratio__1_25 &, .pixel-ratio__1_75 & { + image-rendering: pixelated; + } } .dimension-picker-unhighlighted { diff --git a/apps/common/main/resources/less/dropdown-submenu.less b/apps/common/main/resources/less/dropdown-submenu.less index 375751540..e422dfd3f 100644 --- a/apps/common/main/resources/less/dropdown-submenu.less +++ b/apps/common/main/resources/less/dropdown-submenu.less @@ -26,7 +26,7 @@ border-left-color: @icon-normal-ie; border-left-color: @icon-normal; margin-top: 5px; - margin-right: -10px; + margin-right: -7px; } &.over:not(.disabled) > .dropdown-menu { diff --git a/apps/common/main/resources/less/label.less b/apps/common/main/resources/less/label.less new file mode 100644 index 000000000..8f44c647b --- /dev/null +++ b/apps/common/main/resources/less/label.less @@ -0,0 +1,26 @@ +.label-cmp { + margin-bottom: 0; + .font-size-normal(); + font-weight: normal; + + .icon { + width: 20px; + height: 20px; + line-height: 20px; + padding: 0; + margin-top: -2px; + display: inline-block; + background-repeat: no-repeat; + vertical-align: middle; + } + + &:not(:disabled) { + .icon { + opacity: @component-normal-icon-opacity; + } + } + + .caption { + padding: 0 4px; + } +} diff --git a/apps/common/main/resources/less/language-dialog.less b/apps/common/main/resources/less/language-dialog.less index 6b7791d4b..900d4d73e 100644 --- a/apps/common/main/resources/less/language-dialog.less +++ b/apps/common/main/resources/less/language-dialog.less @@ -79,7 +79,7 @@ li { &.lv, &.lv-LV {background-position: -32px -72px;} &.lt, &.lt-LT {background-position: 0 -84px;} &.vi, &.vi-VN {background-position: -16px -84px;} - &.de-CH {background-position: -32px -84px;} + &.de-CH, &.fr-CH , &.it-CH {background-position: -32px -84px;} &.pt-PT {background-position: -16px -96px;} &.de-AT {background-position: -32px -96px;} &.es, &.es-ES {background-position: 0 -108px;} diff --git a/apps/common/main/resources/less/toolbar.less b/apps/common/main/resources/less/toolbar.less index 40c34c3e5..ad6b24277 100644 --- a/apps/common/main/resources/less/toolbar.less +++ b/apps/common/main/resources/less/toolbar.less @@ -596,12 +596,10 @@ &.borders--small { border-radius: 2px; - background-color: @background-normal-ie; - background-color: @background-normal; &:not(:active) { - box-shadow: inset 0 0 0 @scaled-one-px-value-ie @border-regular-control-ie; - box-shadow: inset 0 0 0 @scaled-one-px-value @border-regular-control; + //box-shadow: inset 0 0 0 @scaled-one-px-value-ie @border-regular-control-ie; + //box-shadow: inset 0 0 0 @scaled-one-px-value @border-regular-control; } & { diff --git a/apps/common/main/resources/less/treeview.less b/apps/common/main/resources/less/treeview.less index 6a14d2827..295850fba 100644 --- a/apps/common/main/resources/less/treeview.less +++ b/apps/common/main/resources/less/treeview.less @@ -83,4 +83,11 @@ transform: rotate(270deg); } } +} + +.safari { + .treeview .name::before { + content: ''; + display: block; + } } \ No newline at end of file diff --git a/apps/common/main/resources/less/winxp_fix.less b/apps/common/main/resources/less/winxp_fix.less index 25e061195..9b319bf6a 100644 --- a/apps/common/main/resources/less/winxp_fix.less +++ b/apps/common/main/resources/less/winxp_fix.less @@ -1,6 +1,19 @@ .winxp { - .toolbar .tabs>ul, - .toolbar .extra .btn-slot,#box-document-title .btn-slot { - height:28px; + @toolbar-editor-height: 28px; + @toolbar-viewer-height: 32px; + .toolbar { + .tabs > ul, .extra .btn-slot { + height: @toolbar-editor-height; } + + &.toolbar-view { + .tabs > ul, .extra .btn-slot { + height: @toolbar-viewer-height; + } + } + } + + #box-document-title .btn-slot { + height: @toolbar-editor-height; + } } \ No newline at end of file diff --git a/apps/common/mobile/lib/controller/ContextMenu.jsx b/apps/common/mobile/lib/controller/ContextMenu.jsx index 5f5509cb0..94cce47c8 100644 --- a/apps/common/mobile/lib/controller/ContextMenu.jsx +++ b/apps/common/mobile/lib/controller/ContextMenu.jsx @@ -163,6 +163,8 @@ class ContextMenuController extends Component { } onApiShowForeignCursorLabel(UserId, X, Y, color) { + if (!this.isUserVisible(UserId)) return; + /** coauthoring begin **/ const tipHeight = 20; @@ -173,21 +175,30 @@ class ContextMenuController extends Component { break; } } + if (!src) { src = $$(`
`); src.attr('userid', UserId); src.css({'background-color': '#'+Common.Utils.ThemeColor.getHexColor(color.get_r(), color.get_g(), color.get_b())}); src.text(this.getUserName(UserId)); - $$('#id_main_parent').append(src); this.fastCoAuthTips.push(src); //src.fadeIn(150); src[0].classList.add('active'); - $$('#id_main_view').append(src); + $$("#editor_sdk").append(src); } - src.css({ - top: (Y - tipHeight) + 'px', - left: X + 'px'}); + + if ( X + src.outerWidth() > $$(window).width() ) { + src.css({ + top: (Y - tipHeight) + 'px', + left: X - src.outerWidth() + 'px'}); + } else { + src.css({ + left: X + 'px', + top: (Y - tipHeight) + 'px', + }); + } + /** coauthoring end **/ } diff --git a/apps/common/mobile/lib/controller/Plugins.jsx b/apps/common/mobile/lib/controller/Plugins.jsx index c4ceb3ded..448b1fecd 100644 --- a/apps/common/mobile/lib/controller/Plugins.jsx +++ b/apps/common/mobile/lib/controller/Plugins.jsx @@ -123,7 +123,7 @@ const PluginsController = inject('storeAppOptions')(observer(props => { }; const pluginClose = plugin => { - if (plugin) { + if (plugin && modal) { modal.close(); } }; diff --git a/apps/common/mobile/lib/controller/collaboration/Review.jsx b/apps/common/mobile/lib/controller/collaboration/Review.jsx index c9a0e0d76..3fe87e560 100644 --- a/apps/common/mobile/lib/controller/collaboration/Review.jsx +++ b/apps/common/mobile/lib/controller/collaboration/Review.jsx @@ -52,7 +52,7 @@ class InitReview extends Component { }); } - onChangeReview (data) { + onChangeReview (data, isShow) { const storeReview = this.props.storeReview; storeReview.changeArrReview(data); } diff --git a/apps/common/mobile/lib/store/users.js b/apps/common/mobile/lib/store/users.js index b13152b94..b8d37ed4b 100644 --- a/apps/common/mobile/lib/store/users.js +++ b/apps/common/mobile/lib/store/users.js @@ -44,7 +44,7 @@ export class storeUsers { } } } - !changed && change && (this.users[change.asc_getId()] = change); + !changed && change && (this.users.push(change)); } resetDisconnected (isDisconnected) { diff --git a/apps/common/mobile/lib/view/Search.jsx b/apps/common/mobile/lib/view/Search.jsx index 988955f76..6547b0dc5 100644 --- a/apps/common/mobile/lib/view/Search.jsx +++ b/apps/common/mobile/lib/view/Search.jsx @@ -162,11 +162,10 @@ class SearchView extends Component { } onReplaceClick() { - if (this.searchbar && this.state.replaceQuery) { + if (this.searchbar) { if (this.props.onReplaceQuery) { let params = this.searchParams(); params.find = this.state.searchQuery; - // console.log(params); this.props.onReplaceQuery(params); } @@ -174,11 +173,10 @@ class SearchView extends Component { } onReplaceAllClick() { - if (this.searchbar && this.state.replaceQuery) { + if (this.searchbar) { if (this.props.onReplaceAllQuery) { let params = this.searchParams(); params.find = this.state.searchQuery; - // console.log(params); this.props.onReplaceAllQuery(params); } @@ -281,10 +279,11 @@ class SearchView extends Component {
diff --git a/apps/common/mobile/lib/view/collaboration/Comments.jsx b/apps/common/mobile/lib/view/collaboration/Comments.jsx index 7675b860f..582a7bd99 100644 --- a/apps/common/mobile/lib/view/collaboration/Comments.jsx +++ b/apps/common/mobile/lib/view/collaboration/Comments.jsx @@ -639,6 +639,7 @@ const ViewComments = inject("storeComments", "storeAppOptions", "storeReview")(o const viewMode = !storeAppOptions.canComments; const comments = storeComments.groupCollectionFilter || storeComments.collectionComments; + const isEdit = storeAppOptions.isEdit; const sortComments = comments.length > 0 ? [...comments].sort((a, b) => a.time > b.time ? -1 : 1) : null; const [clickComment, setComment] = useState(); @@ -674,7 +675,7 @@ const ViewComments = inject("storeComments", "storeAppOptions", "storeReview")(o
{comment.date}
- {!viewMode && + {isEdit && !viewMode &&
{(comment.editable && displayMode === 'markup' && !wsProps?.Objects) &&
{onResolveComment(comment);}}>
} {(displayMode === 'markup' && !wsProps?.Objects) && @@ -707,7 +708,7 @@ const ViewComments = inject("storeComments", "storeAppOptions", "storeReview")(o
{reply.date}
- {!viewMode && reply.editable && + {isEdit && !viewMode && reply.editable &&
{setComment(comment); setReply(reply); openActionReply(true);}} @@ -748,6 +749,7 @@ const CommentList = inject("storeComments", "storeAppOptions", "storeReview")(ob const displayMode = storeReview.displayMode; const viewMode = !storeAppOptions.canComments; + const isEdit = storeAppOptions.isEdit; const comments = storeComments.showComments; const [currentIndex, setCurrentIndex] = useState(0); @@ -784,7 +786,7 @@ const CommentList = inject("storeComments", "storeAppOptions", "storeReview")(ob return ( - {!viewMode && + {isEdit && !viewMode && {onCommentMenuClick('addReply', comment);}}>{_t.textAddReply} }
@@ -804,7 +806,7 @@ const CommentList = inject("storeComments", "storeAppOptions", "storeReview")(ob
{comment.date}
- {!viewMode && + {isEdit && !viewMode &&
{(comment.editable && displayMode === 'markup' && !wsProps?.Objects) &&
{onResolveComment(comment);}}>
} {(displayMode === 'markup' && !wsProps?.Objects) && @@ -837,7 +839,7 @@ const CommentList = inject("storeComments", "storeAppOptions", "storeReview")(ob
{reply.date}
- {!viewMode && reply.editable && + {isEdit && !viewMode && reply.editable &&
{setReply(reply); openActionReply(true);}} diff --git a/apps/common/mobile/resources/img/about/logo-white_s.svg b/apps/common/mobile/resources/img/about/logo-white_s.svg new file mode 100644 index 000000000..ae110aed0 --- /dev/null +++ b/apps/common/mobile/resources/img/about/logo-white_s.svg @@ -0,0 +1,6 @@ + + + + + + diff --git a/apps/common/mobile/resources/img/about/logo_s.svg b/apps/common/mobile/resources/img/about/logo_s.svg new file mode 100644 index 000000000..04df9911d --- /dev/null +++ b/apps/common/mobile/resources/img/about/logo_s.svg @@ -0,0 +1,6 @@ + + + + + + diff --git a/apps/common/mobile/resources/less/about.less b/apps/common/mobile/resources/less/about.less index b13fde99a..6b71c1c41 100644 --- a/apps/common/mobile/resources/less/about.less +++ b/apps/common/mobile/resources/less/about.less @@ -1,5 +1,5 @@ // @text-normal: #000; -// @common-image-about-path - defined in webpack config +// @common-image-path - defined in webpack config .about { .page-content { @@ -13,10 +13,10 @@ .content-block { margin: 0 auto 15px; - a { + a { color: @text-normal; } -} + } .settings-about-logo { display: flex; @@ -49,18 +49,18 @@ display: inline-block; width: 100%; height: 55px; - background: ~"url(@{common-image-about-path}/logo_s.svg) no-repeat center"; + background: ~"url(@{common-image-path}/about/logo_s.svg) no-repeat center"; } .theme-type-dark { .about .logo { - background: ~"url(@{common-image-about-path}/logo-white_s.svg) no-repeat center"; + background: ~"url(@{common-image-path}/about/logo-white_s.svg) no-repeat center"; } } } .theme-type-dark { .about .logo { - background: ~"url(@{common-image-about-path}/logo-white_s.svg) no-repeat center"; + background: ~"url(@{common-image-path}/about/logo-white_s.svg) no-repeat center"; } } \ No newline at end of file diff --git a/apps/common/mobile/resources/less/comments.less b/apps/common/mobile/resources/less/comments.less index 9dc7945cb..fb2945ff8 100644 --- a/apps/common/mobile/resources/less/comments.less +++ b/apps/common/mobile/resources/less/comments.less @@ -24,6 +24,9 @@ color: @text-normal; } } + .reply-date { + color: @text-secondary; + } } #add-comment-dialog, #edit-comment-dialog, #add-reply-dialog, #edit-reply-dialog { .dialog { @@ -221,6 +224,10 @@ z-index: 14000; max-height: 100%; overflow: auto; + + .item-content .item-input-wrap::after { + background-color: @text-normal; + } } .dialog-backdrop.backdrop-in { @@ -235,6 +242,9 @@ .actions-modal.modal-in { z-index: 13700; + .actions-group::after { + background-color: @background-menu-divider; + } } .actions-backdrop.backdrop-in { diff --git a/apps/common/mobile/resources/less/common-ios.less b/apps/common/mobile/resources/less/common-ios.less index 871ef2973..aa4f116eb 100644 --- a/apps/common/mobile/resources/less/common-ios.less +++ b/apps/common/mobile/resources/less/common-ios.less @@ -52,6 +52,9 @@ --f7-subnavbar-border-color: @background-menu-divider; --f7-list-border-color: @background-menu-divider; + --f7-picker-item-text-color: rgba(var(--text-normal), 0.45); + --f7-picker-item-selected-text-color: @text-normal; + // Main Toolbar #editor-navbar.navbar .right a + a, #editor-navbar.navbar .left a + a { @@ -119,6 +122,9 @@ .navbar-bg { //-webkit-backdrop-filter: none; backdrop-filter: none; + &::after { + background: @background-menu-divider; + } } .list:first-child { @@ -215,6 +221,7 @@ text-align: center; position: absolute; top: 34%; + color: @fill-black; } } } @@ -619,11 +626,11 @@ input.modal-text-input { box-sizing: border-box; height: 26px; - background: #fff; + background: @background-primary; margin: 0; margin-top: 15px; padding: 0 5px; - border: 1px solid rgba(0,0,0,.3); + border: 1px solid @text-tertiary; border-radius: 0; width: 100%; font-size: 14px; diff --git a/apps/common/mobile/resources/less/common-material.less b/apps/common/mobile/resources/less/common-material.less index 119f9e0f6..783b1b4c8 100644 --- a/apps/common/mobile/resources/less/common-material.less +++ b/apps/common/mobile/resources/less/common-material.less @@ -30,6 +30,8 @@ --f7-range-knob-color: @brandColor; --f7-range-knob-size: 16px; + --f7-list-item-after-text-color: @text-normal; + --f7-link-highlight-color: transparent; --f7-link-touch-ripple-color: @touchColor; @@ -42,6 +44,13 @@ --f7-dialog-title-text-color: @text-normal; --f7-dialog-button-text-color: @brandColor; + --f7-picker-item-text-color: rgba(var(--text-normal), 0.45); + --f7-picker-item-selected-text-color: @text-normal; + + --f7-input-bg-color: @background-primary; + --f7-input-placeholder-color: @text-secondary; + --f7-input-text-color: @text-normal; + .button { --f7-touch-ripple-color: transparent; } @@ -82,7 +91,6 @@ --f7-list-item-text-text-color: @text-normal; --f7-list-item-subtitle-text-color: @text-secondary; --f7-block-title-text-color: @text-secondary; - --f7-input-placeholder-color: @text-secondary; --f7-label-text-color: @text-normal; --f7-page-bg-color: @background-tertiary; --f7-list-item-border-color: @background-menu-divider; @@ -90,7 +98,6 @@ --f7-toggle-inactive-color: @background-menu-divider; --f7-toggle-border-color: @background-menu-divider; --f7-actions-button-text-color: @text-normal; - --f7-input-text-color: @text-normal; --f7-subnavbar-border-color: @background-menu-divider; --f7-list-border-color: @background-menu-divider; } @@ -399,6 +406,7 @@ text-align: center; position: absolute; top: 34%; + color: @fill-black; } } } @@ -601,6 +609,7 @@ .inputs-list { margin: 15px 0 0; ul { + background: none; &::before, &::after { display: none; } diff --git a/apps/common/mobile/resources/less/common.less b/apps/common/mobile/resources/less/common.less index 5ef03c1c6..5c3de925b 100644 --- a/apps/common/mobile/resources/less/common.less +++ b/apps/common/mobile/resources/less/common.less @@ -555,7 +555,7 @@ input[type="number"]::-webkit-inner-spin-button { .icon.lang-flag { background-size: 48px auto; - background-image: url(../img/controls/flags@2x.png); + background-image: ~'url(@{common-image-path}/controls/flags@2x.png)'; } .icon.lang-flag { @@ -653,7 +653,9 @@ input[type="number"]::-webkit-inner-spin-button { .lang-flag.vi-VN { background-position: -16px -84px; } -.lang-flag.de-CH { +.lang-flag.de-CH, +.lang-flag.fr-CH, +.lang-flag.it-CH { background-position: -32px -84px; } .lang-flag.pt-PT { @@ -911,15 +913,6 @@ input[type="number"]::-webkit-inner-spin-button { } } } - .function-info { - p { - color: @text-secondary; - } - h3 { - font-weight: 500; - color: @text-normal; - } - } } } } diff --git a/apps/common/mobile/resources/less/icons.less b/apps/common/mobile/resources/less/icons.less index ac7a718c2..076f36865 100644 --- a/apps/common/mobile/resources/less/icons.less +++ b/apps/common/mobile/resources/less/icons.less @@ -30,4 +30,17 @@ i.icon { height: 24px; .encoded-svg-background(''); } + + // Formats + + &.icon-format-pdf { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + &.icon-format-pdfa { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } } diff --git a/apps/common/mobile/resources/less/ios/icons.less b/apps/common/mobile/resources/less/ios/icons.less index 0456b303c..ae34c3505 100644 --- a/apps/common/mobile/resources/less/ios/icons.less +++ b/apps/common/mobile/resources/less/ios/icons.less @@ -1,10 +1,10 @@ -// @common-image-header-path - defined in webpack config +// @common-image-path - defined in webpack config .device-ios { .theme-type-dark { i.icon { &.icon-logo { - background: ~"url(@{common-image-header-path}/logo-android.svg)" no-repeat center; + background: ~"url(@{common-image-path}/header/logo-android.svg)" no-repeat center; } } } @@ -15,7 +15,7 @@ &.icon-logo { width: 100px; height: 14px; - background: ~"url(@{common-image-header-path}/logo-ios.svg)" no-repeat center; + background: ~"url(@{common-image-path}/header/logo-ios.svg)" no-repeat center; } &.icon-prev { width: 22px; diff --git a/apps/common/mobile/resources/less/material/icons.less b/apps/common/mobile/resources/less/material/icons.less index 6768ae033..2a34e8c73 100644 --- a/apps/common/mobile/resources/less/material/icons.less +++ b/apps/common/mobile/resources/less/material/icons.less @@ -1,4 +1,4 @@ -// @common-image-header-path - defined in webpack config +// @common-image-path - defined in webpack config .device-android { i.icon { @@ -8,7 +8,7 @@ &.icon-logo { width: 100px; height: 14px; - background: ~"url(@{common-image-header-path}/logo-android.svg) no-repeat center"; + background: ~"url(@{common-image-path}/header/logo-android.svg) no-repeat center"; } &.icon-prev { width: 20px; diff --git a/apps/common/mobile/utils/htmlutils.js b/apps/common/mobile/utils/htmlutils.js index 377c4c755..dd3f690b4 100644 --- a/apps/common/mobile/utils/htmlutils.js +++ b/apps/common/mobile/utils/htmlutils.js @@ -1,10 +1,9 @@ let obj = !localStorage ? {id: 'theme-light', type: 'light'} : JSON.parse(localStorage.getItem("ui-theme")); if ( !obj ) { - if ( window.matchMedia && window.matchMedia('(prefers-color-scheme: dark)').matches ) { - obj = {id: 'theme-dark', type: 'dark'}; - localStorage && localStorage.setItem("ui-theme", JSON.stringify(obj)); - } + obj = window.matchMedia && window.matchMedia('(prefers-color-scheme: dark)').matches ? + {id: 'theme-dark', type: 'dark'} : {id: 'theme-light', type: 'light'}; + localStorage && localStorage.setItem("ui-theme", JSON.stringify(obj)); } document.body.classList.add(`theme-type-${obj.type}`); diff --git a/apps/documenteditor/embed/locale/be.json b/apps/documenteditor/embed/locale/be.json index f633f1902..2ff4487d9 100644 --- a/apps/documenteditor/embed/locale/be.json +++ b/apps/documenteditor/embed/locale/be.json @@ -11,21 +11,39 @@ "DE.ApplicationController.downloadTextText": "Спампоўванне дакумента...", "DE.ApplicationController.errorAccessDeny": "Вы спрабуеце выканаць дзеянне, на якое не маеце правоў.
Калі ласка, звярніцеся да адміністратара сервера дакументаў.", "DE.ApplicationController.errorDefaultMessage": "Код памылкі: %1", + "DE.ApplicationController.errorEditingDownloadas": "Падчас працы з дакументам адбылася памылка.
Выкарыстайце параметр \"Спампаваць як…\", каб захаваць рэзервовую копію файла на цвёрды дыск камп’ютара.", "DE.ApplicationController.errorFilePassProtect": "Файл абаронены паролем, яго немагчыма адкрыць.", "DE.ApplicationController.errorFileSizeExceed": "Памер файла перавышае ліміт, вызначаны для вашага сервера.
Звярніцеся да адміністратара сервера дакументаў за дадатковымі звесткамі.", + "DE.ApplicationController.errorForceSave": "Падчас захавання файла адбылася памылка. Калі ласка, выкарыстайце параметр \"Спампаваць як\", каб захаваць файл на цвёрдым дыску камп’ютара, альбо паспрабуйце яшчэ раз пазней.", + "DE.ApplicationController.errorLoadingFont": "Шрыфты не загрузіліся.
Звярніцеся да адміністратара сервера дакументаў.", + "DE.ApplicationController.errorSubmit": "Не атрымалася адправіць.", + "DE.ApplicationController.errorTokenExpire": "Тэрмін дзеяння токена бяспекі дакумента сышоў.
Калі ласка, звярніцеся да адміністратара сервера дакументаў.", "DE.ApplicationController.errorUpdateVersionOnDisconnect": "Злучэнне з інтэрнэтам было адноўлена, і версія файла змянілася.
Перш чым працягнуць працу, неабходна спампаваць файл альбо скапіяваць яго змесціва, каб захаваць даныя, а пасля перазагрузіць старонку.", "DE.ApplicationController.errorUserDrop": "На дадзены момант файл недаступны.", "DE.ApplicationController.notcriticalErrorTitle": "Увага", + "DE.ApplicationController.openErrorText": "Падчас адкрыцця файла адбылася памылка.", "DE.ApplicationController.scriptLoadError": "Занадта павольнае злучэнне, не ўсе кампаненты атрымалася загрузіць. Калі ласка, абнавіце старонку.", + "DE.ApplicationController.textAnonymous": "Ананімны карыстальнік", + "DE.ApplicationController.textClear": "Ачысціць усе палі", + "DE.ApplicationController.textGotIt": "Добра", + "DE.ApplicationController.textGuest": "Госць", "DE.ApplicationController.textLoadingDocument": "Загрузка дакумента", + "DE.ApplicationController.textNext": "Наступнае поле", "DE.ApplicationController.textOf": "з", + "DE.ApplicationController.textRequired": "Запоўніце ўсе абавязковыя палі, патрэбныя для адпраўлення формы. ", + "DE.ApplicationController.textSubmit": "Адправіць", + "DE.ApplicationController.textSubmited": "Форма паспяхова адпраўленая
Пстрыкніце, каб закрыць падказку", "DE.ApplicationController.txtClose": "Закрыць", "DE.ApplicationController.txtEmpty": "(Пуста)", + "DE.ApplicationController.txtPressLink": "Націсніце CTRL і пстрыкніце па спасылцы", "DE.ApplicationController.unknownErrorText": "Невядомая памылка.", "DE.ApplicationController.unsupportedBrowserErrorText": "Ваш браўзер не падтрымліваецца.", "DE.ApplicationController.waitText": "Калі ласка, пачакайце...", "DE.ApplicationView.txtDownload": "Спампаваць", + "DE.ApplicationView.txtDownloadDocx": "Спампаваць як docx", + "DE.ApplicationView.txtDownloadPdf": "Спампаваць як PDF", "DE.ApplicationView.txtEmbed": "Убудаваць", + "DE.ApplicationView.txtFileLocation": "Перайсці да дакументаў", "DE.ApplicationView.txtFullScreen": "Поўнаэкранны рэжым", "DE.ApplicationView.txtPrint": "Друк", "DE.ApplicationView.txtShare": "Падзяліцца" diff --git a/apps/documenteditor/embed/locale/ca.json b/apps/documenteditor/embed/locale/ca.json index 7c78a9b95..032de7987 100644 --- a/apps/documenteditor/embed/locale/ca.json +++ b/apps/documenteditor/embed/locale/ca.json @@ -4,47 +4,47 @@ "common.view.modals.txtHeight": "Alçada", "common.view.modals.txtShare": "Comparteix l'enllaç", "common.view.modals.txtWidth": "Amplada", - "DE.ApplicationController.convertationErrorText": "No s'ha pogut convertir", + "DE.ApplicationController.convertationErrorText": "No s'ha pogut convertir.", "DE.ApplicationController.convertationTimeoutText": "S'ha superat el temps de conversió.", "DE.ApplicationController.criticalErrorTitle": "Error", - "DE.ApplicationController.downloadErrorText": "S'ha produït un error en la baixada", + "DE.ApplicationController.downloadErrorText": "La baixada ha fallat.", "DE.ApplicationController.downloadTextText": "S'està baixant el document...", - "DE.ApplicationController.errorAccessDeny": "No tens permisos per realitzar aquesta acció.
Contacta amb el teu administrador del servidor de documents.", - "DE.ApplicationController.errorDefaultMessage": "Codi d'error:%1", - "DE.ApplicationController.errorEditingDownloadas": "S'ha produït un error mentre es treballava amb el document.
Utilitzeu l'opció \"Baixa-ho com a ...\" per desar la còpia de seguretat del fitxer al disc dur del teu ordinador.", + "DE.ApplicationController.errorAccessDeny": "No teniu permisos per realitzar aquesta acció.
Contacteu amb l'administrador del servidor de documents.", + "DE.ApplicationController.errorDefaultMessage": "Codi d'error: %1", + "DE.ApplicationController.errorEditingDownloadas": "S'ha produït un error mentre es treballava amb el document.
Utilitzeu l'opció «Anomena i baixa...» per desar la còpia de seguretat del fitxer al disc dur de l'ordinador.", "DE.ApplicationController.errorFilePassProtect": "El fitxer està protegit amb contrasenya i no es pot obrir.", - "DE.ApplicationController.errorFileSizeExceed": "La mida del fitxer supera el límit establert pel teu servidor. Contacta amb el teu administrador del servidor de documents per obtenir més informació.", - "DE.ApplicationController.errorForceSave": "S'ha produït un error en desar el fitxer. Utilitza l'opció \"Baixa-ho com a\" per desar el fitxer al disc dur de l’ordinador o torna-ho a provar més endavant.", - "DE.ApplicationController.errorLoadingFont": "No s'han carregat els tipus de lletra.
Contacta amb l'administrador del Servidor de Documents.", + "DE.ApplicationController.errorFileSizeExceed": "La mida del fitxer supera el límit establert per al servidor.
Contacteu amb l'administrador del servidor de documents per a obtenir més informació.", + "DE.ApplicationController.errorForceSave": "S'ha produït un error en desar el fitxer. Utilitzeu l'opció «Anomena i baixa» per desar el fitxer al disc dur de l’ordinador o torneu-ho a provar més endavant.", + "DE.ApplicationController.errorLoadingFont": "No s'han carregat les famílies tipogràfiques.
Contacteu amb l'administrador del servidor de documents.", "DE.ApplicationController.errorSubmit": "No s'ha pogut enviar.", - "DE.ApplicationController.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacteu amb l'administrador del servidor de documents.", - "DE.ApplicationController.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.", - "DE.ApplicationController.errorUserDrop": "Ara mateix no es pot accedir al fitxer.", + "DE.ApplicationController.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacteu amb l'administrador del servidor de documents.", + "DE.ApplicationController.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 a assegurar-vos que no es perdi res i, després, torneu a carregar la pàgina.", + "DE.ApplicationController.errorUserDrop": "No es pot accedir al fitxer.", "DE.ApplicationController.notcriticalErrorTitle": "Advertiment", "DE.ApplicationController.openErrorText": "S'ha produït un error en obrir el fitxer.", - "DE.ApplicationController.scriptLoadError": "La connexió és massa lenta, alguns dels components no s’han pogut carregar. Torna a carregar la pàgina.", + "DE.ApplicationController.scriptLoadError": "La connexió és massa lenta, alguns dels components no s'han pogut carregar. Torneu a carregar la pàgina.", "DE.ApplicationController.textAnonymous": "Anònim", "DE.ApplicationController.textClear": "Esborra tots els camps", - "DE.ApplicationController.textGotIt": "Ho tinc", + "DE.ApplicationController.textGotIt": "Entesos", "DE.ApplicationController.textGuest": "Convidat", "DE.ApplicationController.textLoadingDocument": "S'està carregant el document", "DE.ApplicationController.textNext": "Camp següent", "DE.ApplicationController.textOf": "de", - "DE.ApplicationController.textRequired": "Emplena tots els camps necessaris per enviar el formulari.", + "DE.ApplicationController.textRequired": "Empleneu tots els camps necessaris per enviar el formulari.", "DE.ApplicationController.textSubmit": "Envia", - "DE.ApplicationController.textSubmited": "El formulari s'ha enviat amb èxit
Cliqueu per a tancar el consell", + "DE.ApplicationController.textSubmited": "El formulari s'ha enviat amb èxit
Feu clic per a tancar el consell", "DE.ApplicationController.txtClose": "Tanca", "DE.ApplicationController.txtEmpty": "(Buit)", - "DE.ApplicationController.txtPressLink": "Prem CTRL i fes clic a l'enllaç", + "DE.ApplicationController.txtPressLink": "Premeu CTRL i feu clic a l'enllaç", "DE.ApplicationController.unknownErrorText": "Error desconegut.", - "DE.ApplicationController.unsupportedBrowserErrorText": "El teu navegador no és compatible.", - "DE.ApplicationController.waitText": "Espera...", + "DE.ApplicationController.unsupportedBrowserErrorText": "El vostre navegador no és compatible.", + "DE.ApplicationController.waitText": "Espereu...", "DE.ApplicationView.txtDownload": "Baixa", "DE.ApplicationView.txtDownloadDocx": "Baixa-ho com a .docx", - "DE.ApplicationView.txtDownloadPdf": "Baixa-ho com a pdf", + "DE.ApplicationView.txtDownloadPdf": "Baixa-ho com a .pdf", "DE.ApplicationView.txtEmbed": "Incrusta", "DE.ApplicationView.txtFileLocation": "Obre la ubicació del fitxer", - "DE.ApplicationView.txtFullScreen": "Pantalla sencera", + "DE.ApplicationView.txtFullScreen": "Pantalla completa", "DE.ApplicationView.txtPrint": "Imprimeix", "DE.ApplicationView.txtShare": "Comparteix" } \ No newline at end of file diff --git a/apps/documenteditor/embed/locale/es.json b/apps/documenteditor/embed/locale/es.json index 925a664fd..e091a1c5e 100644 --- a/apps/documenteditor/embed/locale/es.json +++ b/apps/documenteditor/embed/locale/es.json @@ -1,50 +1,50 @@ { "common.view.modals.txtCopy": "Copiar al portapapeles", - "common.view.modals.txtEmbed": "Incorporar", + "common.view.modals.txtEmbed": "Insertar", "common.view.modals.txtHeight": "Altura", "common.view.modals.txtShare": "Compartir enlace", "common.view.modals.txtWidth": "Ancho", "DE.ApplicationController.convertationErrorText": "Fallo de conversión.", - "DE.ApplicationController.convertationTimeoutText": "Se superó el tiempo de espera de conversión.", + "DE.ApplicationController.convertationTimeoutText": "Se ha superado el tiempo de conversión.", "DE.ApplicationController.criticalErrorTitle": "Error", - "DE.ApplicationController.downloadErrorText": "Error en la descarga", + "DE.ApplicationController.downloadErrorText": "Se ha producido un error en la descarga", "DE.ApplicationController.downloadTextText": "Descargando documento...", - "DE.ApplicationController.errorAccessDeny": "Está tratando de realizar una acción para la cual no tiene permiso.
Por favor, contacte con su Administrador del Servidor de Documentos.", + "DE.ApplicationController.errorAccessDeny": "Está intentando realizar una acción para la que no tiene permiso.
Contacte con el administrador del servidor de documentos.", "DE.ApplicationController.errorDefaultMessage": "Código de error: %1", - "DE.ApplicationController.errorEditingDownloadas": "Se produjo un error durante el trabajo con el documento.
Use la opción 'Descargar como...' para guardar la copia de seguridad de este archivo en el disco duro de su ordenador.", - "DE.ApplicationController.errorFilePassProtect": "El archivo está protegido por una contraseña y no puede ser abierto.", - "DE.ApplicationController.errorFileSizeExceed": "El tamaño del archivo excede el límite establecido para su servidor. Por favor póngase en contacto con el administrador del Servidor de Documentos para obtener más información.", - "DE.ApplicationController.errorForceSave": "Ha ocurrido un error al guardar el archivo. Por favor, use la opción \"Descargar como\" para guardar el archivo en el disco duro de su ordenador o inténtelo de nuevo más tarde.", - "DE.ApplicationController.errorLoadingFont": "Las fuentes no están cargadas.
Por favor, póngase en contacto con el administrador del Document Server.", + "DE.ApplicationController.errorEditingDownloadas": "Se ha producido un error durante el trabajo con el documento.
Use la opción 'Descargar como...' para guardar la copia de seguridad del archivo en el disco duro de su ordenador.", + "DE.ApplicationController.errorFilePassProtect": "El archivo está protegido por una contraseña y no se puede abrir.", + "DE.ApplicationController.errorFileSizeExceed": "El tamaño del archivo supera el límiete establecido por su servidor.
Contacte con el administrador del servidor de documentos para obtener más detalles.", + "DE.ApplicationController.errorForceSave": "Se ha producido un error al guardar el archivo. Utilice la opción \"Descargar como\" para guardar el archivo en el disco duro de su ordenador o inténtelo más tarde.", + "DE.ApplicationController.errorLoadingFont": "Los tipos de letra no están cargados.
Contacte con el administrador del servidor de documentos.", "DE.ApplicationController.errorSubmit": "Error al enviar.", - "DE.ApplicationController.errorTokenExpire": "El token de seguridad del documento ha expirado.
Por favor, póngase en contacto con el administrador del Servidor de Documentos.", - "DE.ApplicationController.errorUpdateVersionOnDisconnect": "La conexión a Internet ha sido restaurada, y la versión del archivo ha sido cambiada. Antes de poder seguir trabajando, es necesario descargar el archivo o copiar su contenido para asegurarse de que no se pierda nada, y luego recargar esta página.", - "DE.ApplicationController.errorUserDrop": "No se puede acceder al archivo en este momento.", - "DE.ApplicationController.notcriticalErrorTitle": "Aviso", + "DE.ApplicationController.errorTokenExpire": "El token de seguridad del documento ha expirado.
Contacte con el administrador del servidor de documentos", + "DE.ApplicationController.errorUpdateVersionOnDisconnect": "Se ha restablecido la conexión a Internet y se ha cambiado la versión del archivo.
Para poder seguir trabajando, es necesario descargar el archivo o copiar su contenido para asegurarse de que no se ha perdido nada, y luego volver a cargar esta página.", + "DE.ApplicationController.errorUserDrop": "No se puede acceder al archivo.", + "DE.ApplicationController.notcriticalErrorTitle": "Advertencia", "DE.ApplicationController.openErrorText": "Se ha producido un error al abrir el archivo. ", - "DE.ApplicationController.scriptLoadError": "La conexión a Internet es demasiado lenta, algunos de los componentes no se han podido cargar. Por favor, recargue la página.", + "DE.ApplicationController.scriptLoadError": "La conexión a Internet es demasiado lenta, algunos de los componentes no se han podido cargar. Recargue la página.", "DE.ApplicationController.textAnonymous": "Anónimo", "DE.ApplicationController.textClear": "Borrar todos los campos", - "DE.ApplicationController.textGotIt": "Entiendo", + "DE.ApplicationController.textGotIt": "Entendido", "DE.ApplicationController.textGuest": "Invitado", "DE.ApplicationController.textLoadingDocument": "Cargando documento", "DE.ApplicationController.textNext": "Campo siguiente", "DE.ApplicationController.textOf": "de", "DE.ApplicationController.textRequired": "Rellene todos los campos obligatorios para enviar el formulario.", "DE.ApplicationController.textSubmit": "Enviar", - "DE.ApplicationController.textSubmited": "Formulario enviado con éxito
Haga clic para cerrar el consejo", + "DE.ApplicationController.textSubmited": "Formulario enviado con éxito.
Haga clic para cerrar el consejo", "DE.ApplicationController.txtClose": "Cerrar", "DE.ApplicationController.txtEmpty": "(Vacío)", "DE.ApplicationController.txtPressLink": "Pulse CTRL y haga clic en el enlace", "DE.ApplicationController.unknownErrorText": "Error desconocido.", "DE.ApplicationController.unsupportedBrowserErrorText": "Su navegador no es compatible.", - "DE.ApplicationController.waitText": "Por favor, espere...", + "DE.ApplicationController.waitText": "Espere...", "DE.ApplicationView.txtDownload": "Descargar", "DE.ApplicationView.txtDownloadDocx": "Descargar como docx", "DE.ApplicationView.txtDownloadPdf": "Descargar como pdf", - "DE.ApplicationView.txtEmbed": "Incorporar", + "DE.ApplicationView.txtEmbed": "Insertar", "DE.ApplicationView.txtFileLocation": "Abrir ubicación del archivo", - "DE.ApplicationView.txtFullScreen": "Pantalla Completa", + "DE.ApplicationView.txtFullScreen": "Pantalla completa", "DE.ApplicationView.txtPrint": "Imprimir", "DE.ApplicationView.txtShare": "Compartir" } \ No newline at end of file diff --git a/apps/documenteditor/embed/locale/sv.json b/apps/documenteditor/embed/locale/sv.json index 57796daab..efeefa8d3 100644 --- a/apps/documenteditor/embed/locale/sv.json +++ b/apps/documenteditor/embed/locale/sv.json @@ -1,44 +1,50 @@ { "common.view.modals.txtCopy": "Kopiera till klippbord", - "common.view.modals.txtEmbed": "Inbädda", + "common.view.modals.txtEmbed": "Inbäddad", "common.view.modals.txtHeight": "Höjd", - "common.view.modals.txtShare": "Delningslänk", + "common.view.modals.txtShare": "Dela länk", "common.view.modals.txtWidth": "Bredd", "DE.ApplicationController.convertationErrorText": "Fel vid konvertering", "DE.ApplicationController.convertationTimeoutText": "Konverteringstiden har överskridits.", "DE.ApplicationController.criticalErrorTitle": "Fel", "DE.ApplicationController.downloadErrorText": "Nedladdning misslyckades", "DE.ApplicationController.downloadTextText": "Laddar ner dokumentet...", - "DE.ApplicationController.errorAccessDeny": "Du försöker utföra en åtgärd som du inte har rättighet till.
Vänligen kontakta din systemadministratör.", + "DE.ApplicationController.errorAccessDeny": "Du försöker utföra en åtgärd som du inte har rättigheter till.
Vänligen kontakta din systemadministratör.", "DE.ApplicationController.errorDefaultMessage": "Felkod: %1", - "DE.ApplicationController.errorEditingDownloadas": "Ett fel har inträffat.
Använd \"Ladda ned som...\" för att spara en säkerhetskopia på din dator.", - "DE.ApplicationController.errorFilePassProtect": "Dokumentet är lösenordsskyddat och kunde inte öppnas. ", - "DE.ApplicationController.errorFileSizeExceed": "Filstorleken överskrider gränsen för din server.
Var snäll och kontakta administratören för dokumentservern för mer information.", - "DE.ApplicationController.errorSubmit": "Gick ej att verkställa.", + "DE.ApplicationController.errorEditingDownloadas": "Ett fel har inträffat.
Använd \"Ladda ner som...\" för att spara en säkerhetskopia på din dator.", + "DE.ApplicationController.errorFilePassProtect": "Filen är lösenordsskyddad och kan inte öppnas. ", + "DE.ApplicationController.errorFileSizeExceed": "Filstorleken överskrider gränsen för din server.
Vänligen kontakta administratören för dokumentservern för mer information.", + "DE.ApplicationController.errorForceSave": "Ett fel uppstod när filen sparades. Vänligen använd alternativet \"Spara som\" för att spara filen till din dator eller försök igen senare.", + "DE.ApplicationController.errorLoadingFont": "Typsnittet är inte tillgängligt. Vänligen kontakta administratören för dokumentservern.", + "DE.ApplicationController.errorSubmit": "Skicka misslyckades.", + "DE.ApplicationController.errorTokenExpire": "Dokumentets säkerhetstoken har upphört att gälla.
Vänligen kontakta din dokumentservers administratör.", "DE.ApplicationController.errorUpdateVersionOnDisconnect": "Internetanslutningen har återställts och filversionen har ändrats.
Innan du fortsätter arbeta, ladda ner filen eller kopiera innehållet för att försäkra dig om att inte förlora något, ladda sedan om denna sida.", "DE.ApplicationController.errorUserDrop": "Filen kan inte nås för tillfället. ", "DE.ApplicationController.notcriticalErrorTitle": "Varning", + "DE.ApplicationController.openErrorText": "Ett fel uppstod vid öppnandet av filen.", "DE.ApplicationController.scriptLoadError": "Anslutningen är för långsam, vissa av komponenterna kunde inte laddas. Vänligen ladda om sidan.", "DE.ApplicationController.textAnonymous": "Anonym", - "DE.ApplicationController.textClear": "Rensa fält", - "DE.ApplicationController.textGotIt": "Ok!", + "DE.ApplicationController.textClear": "Rensa alla fält", + "DE.ApplicationController.textGotIt": "Uppfattat", "DE.ApplicationController.textGuest": "Gäst", "DE.ApplicationController.textLoadingDocument": "Laddar dokument", "DE.ApplicationController.textNext": "Nästa fält", "DE.ApplicationController.textOf": "av", - "DE.ApplicationController.textRequired": "Fyll i alla fält för att skicka formulär.", - "DE.ApplicationController.textSubmit": "Verkställ", + "DE.ApplicationController.textRequired": "Fyll i alla nödvändiga fält för att skicka formuläret.", + "DE.ApplicationController.textSubmit": "Skicka", "DE.ApplicationController.textSubmited": " Formulär skickat
Klicka för att stänga tipset", "DE.ApplicationController.txtClose": "Stäng", + "DE.ApplicationController.txtEmpty": "Dokumentets säkerhetstoken", + "DE.ApplicationController.txtPressLink": "Tryck på CTRL och klicka på länken", "DE.ApplicationController.unknownErrorText": "Okänt fel.", "DE.ApplicationController.unsupportedBrowserErrorText": "Din webbläsare stöds ej.", - "DE.ApplicationController.waitText": "Var snäll och vänta...", + "DE.ApplicationController.waitText": "Vänligen vänta...", "DE.ApplicationView.txtDownload": "Ladda ner", "DE.ApplicationView.txtDownloadDocx": "Ladda ner som docx", "DE.ApplicationView.txtDownloadPdf": "Ladda ner som pdf", - "DE.ApplicationView.txtEmbed": "Inbädda", - "DE.ApplicationView.txtFileLocation": "Gå till filens plats", - "DE.ApplicationView.txtFullScreen": "Fullskärm", - "DE.ApplicationView.txtPrint": "Skriva ut", + "DE.ApplicationView.txtEmbed": "Inbäddad", + "DE.ApplicationView.txtFileLocation": "Öppna filens plats", + "DE.ApplicationView.txtFullScreen": "Helskärm", + "DE.ApplicationView.txtPrint": "Skriv ut", "DE.ApplicationView.txtShare": "Dela" } \ No newline at end of file diff --git a/apps/documenteditor/embed/locale/uk.json b/apps/documenteditor/embed/locale/uk.json index 9970b4f0c..1059fa8d8 100644 --- a/apps/documenteditor/embed/locale/uk.json +++ b/apps/documenteditor/embed/locale/uk.json @@ -1,30 +1,50 @@ { "common.view.modals.txtCopy": "Копіювати в буфер обміну", - "common.view.modals.txtEmbed": "Вставити", + "common.view.modals.txtEmbed": "Вбудувати", "common.view.modals.txtHeight": "Висота", "common.view.modals.txtShare": "Поділитися посиланням", "common.view.modals.txtWidth": "Ширина", - "DE.ApplicationController.convertationErrorText": "Не вдалося поспілкуватися.", - "DE.ApplicationController.convertationTimeoutText": "Термін переходу перевищено.", + "DE.ApplicationController.convertationErrorText": "Не вдалося конвертувати", + "DE.ApplicationController.convertationTimeoutText": "Перевищено час очікування конверсії.", "DE.ApplicationController.criticalErrorTitle": "Помилка", "DE.ApplicationController.downloadErrorText": "Завантаження не вдалося", "DE.ApplicationController.downloadTextText": "Завантаження документу...", "DE.ApplicationController.errorAccessDeny": "Ви намагаєтеся виконати дію, на яку у вас немає прав.
Будь ласка, зв'яжіться з адміністратором вашого Сервера документів.", "DE.ApplicationController.errorDefaultMessage": "Код помилки: %1", + "DE.ApplicationController.errorEditingDownloadas": "Під час роботи з документом сталася помилка.
Використовуйте опцію 'Завантажити як...', щоб зберегти резервну копію файлу на жорсткий диск комп'ютера.", "DE.ApplicationController.errorFilePassProtect": "Документ захищений паролем і його неможливо відкрити.", "DE.ApplicationController.errorFileSizeExceed": "Розмір файлу перевищує обмеження, встановлені для вашого сервера.
Для детальної інформації зверніться до адміністратора сервера документів.", + "DE.ApplicationController.errorForceSave": "Під час збереження файлу сталася помилка.
Використовуйте опцію 'Завантажити як...', щоб зберегти файл на жорсткий диск комп'ютера або спробуйте пізніше.", + "DE.ApplicationController.errorLoadingFont": "Шрифти не завантажені.
Будь ласка, зверніться до адміністратора Сервера документів.", + "DE.ApplicationController.errorSubmit": "Не вдалося відправити.", + "DE.ApplicationController.errorTokenExpire": "Минув термін дії токена безпеки документа.
Будь ласка, зверніться до адміністратора Сервера документів.", "DE.ApplicationController.errorUpdateVersionOnDisconnect": "Підключення до Інтернету було відновлено, а версія файлу змінена.
Перш ніж продовжувати роботу, потрібно завантажити файл або скопіювати його вміст, щоб переконатися, що нічого не втрачено, а потім перезавантажити цю сторінку.", "DE.ApplicationController.errorUserDrop": "На даний момент файл не доступний.", "DE.ApplicationController.notcriticalErrorTitle": "Застереження", + "DE.ApplicationController.openErrorText": "Під час відкриття файлу сталася помилка.", "DE.ApplicationController.scriptLoadError": "З'єднання занадто повільне, деякі компоненти не вдалося завантажити. Перезавантажте сторінку.", + "DE.ApplicationController.textAnonymous": "Анонімний користувач", + "DE.ApplicationController.textClear": "Очистити всі поля", + "DE.ApplicationController.textGotIt": "ОК", + "DE.ApplicationController.textGuest": "Гість", "DE.ApplicationController.textLoadingDocument": "Завантаження документа", + "DE.ApplicationController.textNext": "Наступне поле", "DE.ApplicationController.textOf": "з", + "DE.ApplicationController.textRequired": "Заповніть всі обов'язкові поля для відправлення форми.", + "DE.ApplicationController.textSubmit": "Відправити", + "DE.ApplicationController.textSubmited": "Форму успішно відправлено
Натисніть, щоб закрити підказку", "DE.ApplicationController.txtClose": "Закрити", + "DE.ApplicationController.txtEmpty": "(Пусто)", + "DE.ApplicationController.txtPressLink": "Натисніть CTRL та клацніть по посиланню", "DE.ApplicationController.unknownErrorText": "Невідома помилка.", "DE.ApplicationController.unsupportedBrowserErrorText": "Ваш браузер не підтримується", "DE.ApplicationController.waitText": "Будь ласка, зачекайте...", - "DE.ApplicationView.txtDownload": "Завантажити", - "DE.ApplicationView.txtEmbed": "Вставити", + "DE.ApplicationView.txtDownload": "Завантажити файл", + "DE.ApplicationView.txtDownloadDocx": "Завантажити як docx", + "DE.ApplicationView.txtDownloadPdf": "Завантажити як pdf", + "DE.ApplicationView.txtEmbed": "Вбудувати", + "DE.ApplicationView.txtFileLocation": "Відкрити розташування файлу", "DE.ApplicationView.txtFullScreen": "Повноекранний режим", + "DE.ApplicationView.txtPrint": "Друк", "DE.ApplicationView.txtShare": "Доступ" } \ No newline at end of file diff --git a/apps/documenteditor/forms/app.js b/apps/documenteditor/forms/app.js index 6ac4557d2..5535a30bf 100644 --- a/apps/documenteditor/forms/app.js +++ b/apps/documenteditor/forms/app.js @@ -139,7 +139,8 @@ require([ nameSpace: 'DE', autoCreate: false, controllers : [ - 'ApplicationController' + 'ApplicationController', + 'Plugins' ] }); @@ -147,10 +148,12 @@ require([ function() { require([ 'documenteditor/forms/app/controller/ApplicationController', + 'documenteditor/forms/app/controller/Plugins', 'documenteditor/forms/app/view/ApplicationView', 'common/main/lib/util/utils', 'common/main/lib/util/LocalStorage', 'common/main/lib/controller/Themes', + 'common/main/lib/view/PluginDlg', 'common/forms/lib/view/modals' ], function() { app.start(); diff --git a/apps/documenteditor/forms/app/controller/ApplicationController.js b/apps/documenteditor/forms/app/controller/ApplicationController.js index cf56628b1..45947fc43 100644 --- a/apps/documenteditor/forms/app/controller/ApplicationController.js +++ b/apps/documenteditor/forms/app/controller/ApplicationController.js @@ -104,6 +104,8 @@ define([ this.api.asc_registerCallback('asc_onCurrentPage', this.onCurrentPage.bind(this)); this.api.asc_registerCallback('asc_onDocumentModifiedChanged', _.bind(this.onDocumentModifiedChanged, this)); this.api.asc_registerCallback('asc_onZoomChange', this.onApiZoomChange.bind(this)); + this.api.asc_registerCallback('asc_onCoAuthoringDisconnect', _.bind(this.onApiServerDisconnect, this)); + Common.NotificationCenter.on('api:disconnect', _.bind(this.onApiServerDisconnect, this)); // Initialize api gateway Common.Gateway.on('init', this.loadConfig.bind(this)); @@ -414,6 +416,8 @@ define([ this.appOptions.saveAsUrl = this.editorConfig.saveAsUrl; this.appOptions.canRequestSaveAs = this.editorConfig.canRequestSaveAs; this.appOptions.isDesktopApp = this.editorConfig.targetApp == 'desktop'; + this.appOptions.lang = this.editorConfig.lang; + this.appOptions.canPlugins = false; }, onExternalMessage: function(msg) { @@ -494,7 +498,7 @@ define([ enable = !this.editorConfig.customization || (this.editorConfig.customization.plugins!==false); docInfo.asc_putIsEnabledPlugins(!!enable); - var type = /^(?:(pdf|djvu|xps))$/.exec(data.doc.fileType); + var type = /^(?:(pdf|djvu|xps|oxps))$/.exec(data.doc.fileType); if (type && typeof type[1] === 'string') { this.permissions.edit = this.permissions.review = false; } @@ -508,6 +512,7 @@ define([ this.api.asc_registerCallback('asc_onGetEditorPermissions', _.bind(this.onEditorPermissions, this)); this.api.asc_registerCallback('asc_onRunAutostartMacroses', _.bind(this.onRunAutostartMacroses, this)); + this.api.asc_registerCallback('asc_onLicenseChanged', _.bind(this.onLicenseChanged, this)); this.api.asc_setDocInfo(docInfo); this.api.asc_getEditorPermissions(this.editorConfig.licenseUrl, this.editorConfig.customerId); this.api.asc_enableKeyEvents(true); @@ -563,6 +568,8 @@ define([ AscCommon.UserInfoParser.setParser(true); AscCommon.UserInfoParser.setCurrentName(this.appOptions.user.fullname); + DE.getController('Plugins').setMode(this.appOptions, this.api); + var me = this; me.view.btnSubmit.setVisible(this.appOptions.canFillForms && this.appOptions.canSubmitForms); me.view.btnDownload.setVisible(this.appOptions.canDownload && this.appOptions.canFillForms && !this.appOptions.canSubmitForms); @@ -645,6 +652,17 @@ define([ }); }, + onLicenseChanged: function(params) { + var licType = params.asc_getLicenseType(); + if (licType !== undefined && this.appOptions.canFillForms && + (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 && (this.appOptions.trialMode & Asc.c_oLicenseMode.Limited) !== 0)) + this._state.licenseType = licType; + + if (this._isDocReady) + this.applyLicense(); + }, + applyLicense: function() { if (this._state.licenseType) { var license = this._state.licenseType, @@ -661,6 +679,10 @@ define([ primary = 'buynow'; } + if (this._state.licenseType!==Asc.c_oLicenseResult.SuccessLimit && this.appOptions.canFillForms) { + Common.NotificationCenter.trigger('api:disconnect'); + } + var value = Common.localStorage.getItem("de-license-warning"); value = (value!==null) ? parseInt(value) : 0; var now = (new Date).getTime(); @@ -989,6 +1011,8 @@ define([ }, onShowContentControlsActions: function(obj, x, y) { + if (this._isDisabled) return; + var me = this; switch (obj.type) { case Asc.c_oAscContentControlSpecificType.DateTime: @@ -1321,6 +1345,7 @@ define([ Common.NotificationCenter.on('storage:image-load', _.bind(this.openImageFromStorage, this)); // try to load image from storage Common.NotificationCenter.on('storage:image-insert', _.bind(this.insertImageFromStorage, this)); // set loaded image to control } + DE.getController('Plugins').setApi(this.api); this.updateWindowTitle(true); @@ -1749,12 +1774,12 @@ define([ if (this.textMenu && !noobject) { var cancopy = this.api.can_CopyCut(), disabled = menu_props.paraProps && menu_props.paraProps.locked || menu_props.headerProps && menu_props.headerProps.locked || - menu_props.imgProps && (menu_props.imgProps.locked || menu_props.imgProps.content_locked); + menu_props.imgProps && (menu_props.imgProps.locked || menu_props.imgProps.content_locked) || this._isDisabled; this.textMenu.items[0].setDisabled(disabled || !this.api.asc_getCanUndo()); // undo this.textMenu.items[1].setDisabled(disabled || !this.api.asc_getCanRedo()); // redo - this.textMenu.items[3].setDisabled(!cancopy); // copy - this.textMenu.items[4].setDisabled(disabled || !cancopy); // cut + this.textMenu.items[3].setDisabled(disabled || !cancopy); // cut + this.textMenu.items[4].setDisabled(!cancopy); // copy this.textMenu.items[5].setDisabled(disabled) // paste; this.showPopupMenu(this.textMenu, {}, event); @@ -1788,6 +1813,23 @@ define([ } }, + onApiServerDisconnect: function(enableDownload) { + this._state.isDisconnected = true; + this._isDisabled = true; + this.view && this.view.btnClear && this.view.btnClear.setDisabled(true); + if (!enableDownload) { + this.appOptions.canPrint = this.appOptions.canDownload = false; + this.view && this.view.btnDownload.setDisabled(true); + this.view && this.view.btnSubmit.setDisabled(true); + if (this.view && this.view.btnOptions && this.view.btnOptions.menu) { + this.view.btnOptions.menu.items[0].setDisabled(true); // print + this.view.btnOptions.menu.items[2].setDisabled(true); // download + this.view.btnOptions.menu.items[3].setDisabled(true); // download docx + this.view.btnOptions.menu.items[4].setDisabled(true); // download pdf + } + } + }, + errorDefaultMessage : 'Error code: %1', unknownErrorText : 'Unknown error.', convertationTimeoutText : 'Conversion timeout exceeded.', @@ -1856,7 +1898,9 @@ define([ saveErrorTextDesktop: 'This file cannot be saved or created.
Possible reasons are:
1. The file is read-only.
2. The file is being edited by other users.
3. The disk is full or corrupted.', 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.', textSaveAs: 'Save as PDF', - textSaveAsDesktop: 'Save as...' + textSaveAsDesktop: 'Save as...', + warnLicenseExp: 'Your license has expired.
Please update your license and refresh the page.', + titleLicenseExp: 'License expired' }, DE.Controllers.ApplicationController)); diff --git a/apps/documenteditor/forms/app/controller/Plugins.js b/apps/documenteditor/forms/app/controller/Plugins.js new file mode 100644 index 000000000..4e3fbdbe9 --- /dev/null +++ b/apps/documenteditor/forms/app/controller/Plugins.js @@ -0,0 +1,457 @@ +/* + * + * (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 + * +*/ +/** + * User: Julia.Radzhabova + * Date: 22.02.2022 + */ + +define([ + 'core', + 'common/main/lib/collection/Plugins', + 'common/main/lib/view/PluginDlg' +], function () { + 'use strict'; + + DE.Controllers.Plugins = Backbone.Controller.extend(_.extend({ + models: [], + appOptions: {}, + configPlugins: {autostart:[]},// {config: 'from editor config', plugins: 'loaded plugins', autostart: 'autostart guids'} + serverPlugins: {autostart:[]},// {config: 'from editor config', plugins: 'loaded plugins', autostart: 'autostart guids'} + collections: [ + 'Common.Collections.Plugins' + ], + initialize: function() { + }, + + events: function() { + }, + + onLaunch: function() { + this._moveOffset = {x:0, y:0}; + this.autostart = []; + + Common.Gateway.on('init', this.loadConfig.bind(this)); + }, + + loadConfig: function(data) { + var me = this; + me.configPlugins.config = data.config.plugins; + me.editor = 'word'; + }, + + loadPlugins: function() { + if (this.configPlugins.config) { + this.getPlugins(this.configPlugins.config.pluginsData) + .then(function(loaded) + { + me.configPlugins.plugins = loaded; + me.mergePlugins(); + }) + .catch(function(err) + { + me.configPlugins.plugins = false; + }); + } else + this.configPlugins.plugins = false; + + var server_plugins_url = '../../../../plugins.json', + me = this; + Common.Utils.loadConfig(server_plugins_url, function (obj) { + if ( obj != 'error' ) { + me.serverPlugins.config = obj; + me.getPlugins(me.serverPlugins.config.pluginsData) + .then(function(loaded) + { + me.serverPlugins.plugins = loaded; + me.mergePlugins(); + }) + .catch(function(err) + { + me.serverPlugins.plugins = false; + }); + } else + me.serverPlugins.plugins = false; + }); + }, + + setApi: function(api) { + this.api = api; + + if (!this.appOptions.customization || (this.appOptions.customization.plugins!==false)) { + this.api.asc_registerCallback("asc_onPluginShow", _.bind(this.onPluginShow, this)); + this.api.asc_registerCallback("asc_onPluginClose", _.bind(this.onPluginClose, this)); + this.api.asc_registerCallback("asc_onPluginResize", _.bind(this.onPluginResize, this)); + this.api.asc_registerCallback("asc_onPluginMouseUp", _.bind(this.onPluginMouseUp, this)); + this.api.asc_registerCallback("asc_onPluginMouseMove", _.bind(this.onPluginMouseMove, this)); + this.api.asc_registerCallback('asc_onPluginsReset', _.bind(this.resetPluginsList, this)); + this.api.asc_registerCallback('asc_onPluginsInit', _.bind(this.onPluginsInit, this)); + + this.loadPlugins(); + } + return this; + }, + + setMode: function(mode, api) { + this.appOptions = mode; + this.api = api; + return this; + }, + + refreshPluginsList: function() { + var me = this; + var storePlugins = this.getApplication().getCollection('Common.Collections.Plugins'), + arr = []; + storePlugins.each(function(item){ + var plugin = new Asc.CPlugin(); + plugin.deserialize(item.attributes); + + var variations = item.get('variations'), + variationsArr = []; + variations.forEach(function(itemVar){ + var variation = new Asc.CPluginVariation(); + variation.deserialize(itemVar.attributes); + variationsArr.push(variation); + }); + + plugin.set_Variations(variationsArr); + item.set('pluginObj', plugin); + arr.push(plugin); + }); + this.api.asc_pluginsRegister('', arr); + Common.Gateway.pluginsReady(); + }, + + onPluginShow: function(plugin, variationIndex, frameId, urlAddition) { + var variation = plugin.get_Variations()[variationIndex]; + if (variation.get_Visual()) { + var url = variation.get_Url(); + url = ((plugin.get_BaseUrl().length == 0) ? url : plugin.get_BaseUrl()) + url; + if (urlAddition) + url += urlAddition; + var me = this, + isCustomWindow = variation.get_CustomWindow(), + arrBtns = variation.get_Buttons(), + newBtns = [], + size = variation.get_Size(), + isModal = variation.get_Modal(); + if (!size || size.length<2) size = [800, 600]; + + if (_.isArray(arrBtns)) { + _.each(arrBtns, function(b, index){ + if (b.visible) + newBtns[index] = {caption: b.text, value: index, primary: b.primary}; + }); + } + + var help = variation.get_Help(); + me.pluginDlg = new Common.Views.PluginDlg({ + cls: isCustomWindow ? 'plain' : '', + header: !isCustomWindow, + title: plugin.get_Name(), + width: size[0], // inner width + height: size[1], // inner height + url: url, + frameId : frameId, + buttons: isCustomWindow ? undefined : newBtns, + toolcallback: _.bind(this.onToolClose, this), + help: !!help, + modal: isModal!==undefined ? isModal : true + }); + me.pluginDlg.on({ + 'render:after': function(obj){ + obj.getChild('.footer .dlg-btn').on('click', _.bind(me.onDlgBtnClick, me)); + me.pluginContainer = me.pluginDlg.$window.find('#id-plugin-container'); + }, + 'close': function(obj){ + me.pluginDlg = undefined; + }, + 'drag': function(args){ + me.api.asc_pluginEnableMouseEvents(args[1]=='start'); + }, + 'resize': function(args){ + me.api.asc_pluginEnableMouseEvents(args[1]=='start'); + }, + 'help': function(){ + help && window.open(help, '_blank'); + } + }); + + me.pluginDlg.show(); + } + }, + + onPluginClose: function(plugin) { + if (this.pluginDlg) + this.pluginDlg.close(); + this.runAutoStartPlugins(); + }, + + onPluginResize: function(size, minSize, maxSize, callback ) { + if (this.pluginDlg) { + var resizable = (minSize && minSize.length>1 && maxSize && maxSize.length>1 && (maxSize[0] > minSize[0] || maxSize[1] > minSize[1] || maxSize[0]==0 || maxSize[1] == 0)); + this.pluginDlg.setResizable(resizable, minSize, maxSize); + this.pluginDlg.setInnerSize(size[0], size[1]); + if (callback) + callback.call(); + } + }, + + onDlgBtnClick: function(event) { + var state = event.currentTarget.attributes['result'].value; + this.api.asc_pluginButtonClick(parseInt(state)); + }, + + onToolClose: function() { + this.api.asc_pluginButtonClick(-1); + }, + + onPluginMouseUp: function(x, y) { + if (this.pluginDlg) { + if (this.pluginDlg.binding.dragStop) this.pluginDlg.binding.dragStop(); + if (this.pluginDlg.binding.resizeStop) this.pluginDlg.binding.resizeStop(); + } + }, + + onPluginMouseMove: function(x, y) { + if (this.pluginDlg) { + var offset = this.pluginContainer.offset(); + if (this.pluginDlg.binding.drag) this.pluginDlg.binding.drag({ pageX: x*Common.Utils.zoom()+offset.left, pageY: y*Common.Utils.zoom()+offset.top }); + if (this.pluginDlg.binding.resize) this.pluginDlg.binding.resize({ pageX: x*Common.Utils.zoom()+offset.left, pageY: y*Common.Utils.zoom()+offset.top }); + } + }, + + onPluginsInit: function(pluginsdata) { + !(pluginsdata instanceof Array) && (pluginsdata = pluginsdata["pluginsData"]); + this.parsePlugins(pluginsdata) + }, + + runAutoStartPlugins: function() { + if (this.autostart && this.autostart.length > 0) { + this.api.asc_pluginRun(this.autostart.shift(), 0, ''); + } + }, + + resetPluginsList: function() { + this.getApplication().getCollection('Common.Collections.Plugins').reset(); + }, + + parsePlugins: function(pluginsdata) { + var me = this; + var pluginStore = this.getApplication().getCollection('Common.Collections.Plugins'), + isEdit = false, + editor = me.editor, + apiVersion = me.api ? me.api.GetVersion() : undefined; + if ( pluginsdata instanceof Array ) { + var arr = [], + lang = me.appOptions.lang.split(/[\-_]/)[0]; + pluginsdata.forEach(function(item){ + if ( arr.some(function(i) { + return (i.get('baseUrl') == item.baseUrl || i.get('guid') == item.guid); + } + ) || pluginStore.findWhere({baseUrl: item.baseUrl}) || pluginStore.findWhere({guid: item.guid})) + { + return; + } + + var variationsArr = [], + pluginVisible = false; + item.variations.forEach(function(itemVar){ + var visible = (isEdit || itemVar.isViewer && (itemVar.isDisplayedInViewer!==false)) && _.contains(itemVar.EditorsSupport, editor) && !itemVar.isSystem; + if ( visible ) pluginVisible = true; + + if (!item.isUICustomizer ) { + var model = new Common.Models.PluginVariation(itemVar); + var description = itemVar.description; + if (typeof itemVar.descriptionLocale == 'object') + description = itemVar.descriptionLocale[lang] || itemVar.descriptionLocale['en'] || description || ''; + + _.each(itemVar.buttons, function(b, index){ + if (typeof b.textLocale == 'object') + b.text = b.textLocale[lang] || b.textLocale['en'] || b.text || ''; + b.visible = (isEdit || b.isViewer !== false); + }); + + model.set({ + description: description, + index: variationsArr.length, + url: itemVar.url, + icons: itemVar.icons2 || itemVar.icons, + buttons: itemVar.buttons, + visible: visible, + help: itemVar.help + }); + + variationsArr.push(model); + } + }); + + if (variationsArr.length > 0 && !item.isUICustomizer) { + var name = item.name; + if (typeof item.nameLocale == 'object') + name = item.nameLocale[lang] || item.nameLocale['en'] || name || ''; + + if (pluginVisible) + pluginVisible = me.checkPluginVersion(apiVersion, item.minVersion); + + arr.push(new Common.Models.Plugin({ + name : name, + guid: item.guid, + baseUrl : item.baseUrl, + variations: variationsArr, + currentVariation: 0, + visible: pluginVisible, + groupName: (item.group) ? item.group.name : '', + groupRank: (item.group) ? item.group.rank : 0, + minVersion: item.minVersion + })); + } + }); + + if (pluginStore) + { + arr = pluginStore.models.concat(arr); + arr.sort(function(a, b){ + var rank_a = a.get('groupRank'), + rank_b = b.get('groupRank'); + if (rank_a < rank_b) + return (rank_a==0) ? 1 : -1; + if (rank_a > rank_b) + return (rank_b==0) ? -1 : 1; + return 0; + }); + pluginStore.reset(arr); + this.appOptions.canPlugins = !pluginStore.isEmpty(); + } + } + else { + this.appOptions.canPlugins = false; + } + + if (this.appOptions.canPlugins) { + this.refreshPluginsList(); + this.runAutoStartPlugins(); + } + }, + + checkPluginVersion: function(apiVersion, pluginVersion) { + if (apiVersion && apiVersion!=='develop' && pluginVersion && typeof pluginVersion == 'string') { + var res = pluginVersion.match(/^([0-9]+)(?:.([0-9]+))?(?:.([0-9]+))?$/), + apires = apiVersion.match(/^([0-9]+)(?:.([0-9]+))?(?:.([0-9]+))?$/); + if (res && res.length>1 && apires && apires.length>1) { + for (var i=0; i<3; i++) { + var pluginVer = res[i+1] ? parseInt(res[i+1]) : 0, + apiVer = apires[i+1] ? parseInt(apires[i+1]) : 0; + if (pluginVer>apiVer) + return false; + if (pluginVer0) + arr = plugins.plugins; + if (plugins && plugins.config) { + var val = plugins.config.autostart || plugins.config.autoStartGuid; + if (typeof (val) == 'string') + val = [val]; + warn = !!plugins.config.autoStartGuid; + autostart = val || []; + } + + plugins = this.serverPlugins; + if (plugins.plugins && plugins.plugins.length>0) + arr = arr.concat(plugins.plugins); + if (plugins && plugins.config) { + val = plugins.config.autostart || plugins.config.autoStartGuid; + if (typeof (val) == 'string') + val = [val]; + (warn || plugins.config.autoStartGuid) && console.warn("Obsolete: The autoStartGuid parameter is deprecated. Please check the documentation for new plugin connection configuration."); + autostart = autostart.concat(val || []); + } + + this.autostart = autostart; + this.parsePlugins(arr); + } + } + + }, DE.Controllers.Plugins || {})); +}); diff --git a/apps/documenteditor/forms/app_dev.js b/apps/documenteditor/forms/app_dev.js index 33aa736fc..d9800d9c6 100644 --- a/apps/documenteditor/forms/app_dev.js +++ b/apps/documenteditor/forms/app_dev.js @@ -129,7 +129,8 @@ require([ nameSpace: 'DE', autoCreate: false, controllers : [ - 'ApplicationController' + 'ApplicationController', + 'Plugins' ] }); @@ -137,10 +138,12 @@ require([ function() { require([ 'documenteditor/forms/app/controller/ApplicationController', + 'documenteditor/forms/app/controller/Plugins', 'documenteditor/forms/app/view/ApplicationView', 'common/main/lib/util/utils', 'common/main/lib/util/LocalStorage', 'common/main/lib/controller/Themes', + 'common/main/lib/view/PluginDlg', 'common/forms/lib/view/modals' ], function() { window.compareVersions = true; diff --git a/apps/documenteditor/forms/locale/be.json b/apps/documenteditor/forms/locale/be.json index 9a3de4eb1..77d1c9028 100644 --- a/apps/documenteditor/forms/locale/be.json +++ b/apps/documenteditor/forms/locale/be.json @@ -1,25 +1,153 @@ { + "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": "Кра", + "Common.UI.Calendar.textShortAugust": "Жні", + "Common.UI.Calendar.textShortDecember": "Сне", + "Common.UI.Calendar.textShortFebruary": "Лют", + "Common.UI.Calendar.textShortFriday": "Пт", + "Common.UI.Calendar.textShortJanuary": "Сту", + "Common.UI.Calendar.textShortJuly": "Ліп", + "Common.UI.Calendar.textShortJune": "Чэр", + "Common.UI.Calendar.textShortMarch": "Сак", + "Common.UI.Calendar.textShortMay": "Травень", + "Common.UI.Calendar.textShortMonday": "Пн", + "Common.UI.Calendar.textShortNovember": "Ліс", + "Common.UI.Calendar.textShortOctober": "Кас", + "Common.UI.Calendar.textShortSaturday": "Сб", + "Common.UI.Calendar.textShortSeptember": "Вер", + "Common.UI.Calendar.textShortSunday": "Нд", + "Common.UI.Calendar.textShortThursday": "Чц", + "Common.UI.Calendar.textShortTuesday": "Аў", + "Common.UI.Calendar.textShortWednesday": "Сер", + "Common.UI.Calendar.textYears": "Гады", + "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.Views.CopyWarningDialog.textDontShow": "Больш не паказваць гэтае паведамленне", + "Common.Views.CopyWarningDialog.textTitle": "Скапіяваць, выразаць, уставіць", + "Common.Views.CopyWarningDialog.textToCopy": "для капіявання", + "Common.Views.CopyWarningDialog.textToCut": "для выразання", + "Common.Views.CopyWarningDialog.textToPaste": "для ўстаўкі", + "Common.Views.EmbedDialog.textHeight": "Вышыня", + "Common.Views.EmbedDialog.textTitle": "Убудаваць", + "Common.Views.EmbedDialog.textWidth": "Шырыня", + "Common.Views.EmbedDialog.txtCopy": "Скапіяваць у буфер абмену", + "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.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.SaveAsDlg.textLoading": "Загрузка", + "Common.Views.SaveAsDlg.textTitle": "Каталог для захавання", + "Common.Views.SelectFileDlg.textLoading": "Загрузка", + "Common.Views.SelectFileDlg.textTitle": "Абраць крыніцу даных", + "Common.Views.ShareDialog.textTitle": "Падзяліцца спасылкай", + "Common.Views.ShareDialog.txtCopy": "Скапіяваць у буфер абмену", "DE.Controllers.ApplicationController.convertationErrorText": "Пераўтварыць не атрымалася.", "DE.Controllers.ApplicationController.convertationTimeoutText": "Час чакання пераўтварэння сышоў.", "DE.Controllers.ApplicationController.criticalErrorTitle": "Памылка", "DE.Controllers.ApplicationController.downloadErrorText": "Не атрымалася спампаваць.", "DE.Controllers.ApplicationController.downloadTextText": "Спампоўванне дакумента...", "DE.Controllers.ApplicationController.errorAccessDeny": "Вы спрабуеце выканаць дзеянне, на якое не маеце правоў.
Калі ласка, звярніцеся да адміністратара сервера дакументаў.", + "DE.Controllers.ApplicationController.errorBadImageUrl": "Хібны URL-адрас выявы", + "DE.Controllers.ApplicationController.errorConnectToServer": "Не атрымалася захаваць дакумент. Праверце налады злучэння альбо звярніцеся да вашага адміністратара.
Калі вы націснеце кнопку \"Добра\", вам прапануецца спампаваць дакумент.", + "DE.Controllers.ApplicationController.errorDataEncrypted": "Атрыманы зашыфраваныя змены, іх немагчыма расшыфраваць.", "DE.Controllers.ApplicationController.errorDefaultMessage": "Код памылкі: %1", + "DE.Controllers.ApplicationController.errorEditingDownloadas": "Падчас працы з дакументам адбылася памылка.
Выкарыстайце параметр \"Спампаваць як…\", каб захаваць рэзервовую копію файла на цвёрды дыск камп’ютара.", + "DE.Controllers.ApplicationController.errorEditingSaveas": "Падчас працы з дакументам адбылася памылка.
Выкарыстайце параметр \"Захаваць як…\", каб захаваць рэзервовую копію файла на цвёрды дыск камп’ютара.", "DE.Controllers.ApplicationController.errorFilePassProtect": "Файл абаронены паролем, яго немагчыма адкрыць.", "DE.Controllers.ApplicationController.errorFileSizeExceed": "Памер файла перавышае ліміт, вызначаны для вашага сервера.
Звярніцеся да адміністратара сервера дакументаў за дадатковымі звесткамі.", + "DE.Controllers.ApplicationController.errorForceSave": "Падчас захавання файла адбылася памылка. Калі ласка, выкарыстайце параметр \"Спампаваць як\", каб захаваць файл на цвёрдым дыску камп’ютара, альбо паспрабуйце яшчэ раз пазней.", + "DE.Controllers.ApplicationController.errorServerVersion": "Рэдактар быў абноўлены. Старонка перазагрузіцца, каб ужыць змены.", + "DE.Controllers.ApplicationController.errorSessionAbsolute": "Час сеанса рэдагавання дакумента сышоў. Калі ласка, абнавіце старонку.", + "DE.Controllers.ApplicationController.errorSessionIdle": "Дакумент працяглы час не рэдагаваўся. Калі ласка, абнавіце старонку.", + "DE.Controllers.ApplicationController.errorSessionToken": "Злучэнне з серверам перарванае. Калі ласка, абнавіце старонку.", + "DE.Controllers.ApplicationController.errorToken": "Токен бяспекі дакумента мае хібны фармат.
Калі ласка, звярніцеся да адміністатара сервера дакументаў.", + "DE.Controllers.ApplicationController.errorTokenExpire": "Тэрмін дзеяння токена бяспекі дакумента сышоў.
Калі ласка, звярніцеся да адміністратара сервера дакументаў.", + "DE.Controllers.ApplicationController.errorUpdateVersion": "Версія файла была змененая. Старонка будзе перазагружаная.", "DE.Controllers.ApplicationController.errorUpdateVersionOnDisconnect": "Злучэнне з інтэрнэтам было адноўлена, і версія файла змянілася.
Перш чым працягнуць працу, неабходна спампаваць файл альбо скапіяваць яго змесціва, каб захаваць даныя, а пасля перазагрузіць старонку.", "DE.Controllers.ApplicationController.errorUserDrop": "На дадзены момант файл недаступны.", + "DE.Controllers.ApplicationController.errorViewerDisconnect": "Злучэнне страчана. Вы зможаце праглядаць дакумент,
але не зможаце спампаваць альбо надрукаваць яго да аднаўлення злучэння і перазагрузкі старонкі.", + "DE.Controllers.ApplicationController.mniImageFromFile": "Выява з файла", + "DE.Controllers.ApplicationController.mniImageFromStorage": "Выява са сховішча", + "DE.Controllers.ApplicationController.mniImageFromUrl": "Выява па URL", "DE.Controllers.ApplicationController.notcriticalErrorTitle": "Увага", + "DE.Controllers.ApplicationController.openErrorText": "Падчас адкрыцця файла адбылася памылка.", + "DE.Controllers.ApplicationController.saveErrorText": "Падчас захавання файла адбылася памылка.", "DE.Controllers.ApplicationController.scriptLoadError": "Занадта павольнае злучэнне, не ўсе кампаненты атрымалася загрузіць. Калі ласка, абнавіце старонку.", + "DE.Controllers.ApplicationController.textAnonymous": "Ананімны карыстальнік", + "DE.Controllers.ApplicationController.textBuyNow": "Наведаць сайт", + "DE.Controllers.ApplicationController.textContactUs": "Звязацца з аддзелам продажу", + "DE.Controllers.ApplicationController.textGuest": "Госць", "DE.Controllers.ApplicationController.textLoadingDocument": "Загрузка дакумента", + "DE.Controllers.ApplicationController.textNoLicenseTitle": "Ліцэнзійнае абмежаванне", "DE.Controllers.ApplicationController.textOf": "з", + "DE.Controllers.ApplicationController.textRequired": "Запоўніце ўсе абавязковыя палі, патрэбныя для адпраўлення формы. ", + "DE.Controllers.ApplicationController.textSaveAs": "Захаваць як PDF", + "DE.Controllers.ApplicationController.textSaveAsDesktop": "Захаваць як…", + "DE.Controllers.ApplicationController.textSubmited": "Форма паспяхова адпраўленая
Пстрыкніце, каб закрыць падказку", + "DE.Controllers.ApplicationController.titleLicenseExp": "Тэрмін дзеяння ліцэнзіі сышоў", + "DE.Controllers.ApplicationController.titleServerVersion": "Рэдактар абноўлены", + "DE.Controllers.ApplicationController.titleUpdateVersion": "Версія змянілася", + "DE.Controllers.ApplicationController.txtArt": "Увядзіце ваш тэкст", + "DE.Controllers.ApplicationController.txtChoose": "Абярыце элемент", "DE.Controllers.ApplicationController.txtClose": "Закрыць", + "DE.Controllers.ApplicationController.txtEmpty": "(Пуста)", + "DE.Controllers.ApplicationController.txtEnterDate": "Увядзіце дату", + "DE.Controllers.ApplicationController.txtPressLink": "Націсніце CTRL і пстрыкніце па спасылцы", + "DE.Controllers.ApplicationController.txtUntitled": "Без назвы", "DE.Controllers.ApplicationController.unknownErrorText": "Невядомая памылка.", "DE.Controllers.ApplicationController.unsupportedBrowserErrorText": "Ваш браўзер не падтрымліваецца.", + "DE.Controllers.ApplicationController.uploadImageExtMessage": "Невядомы фармат выявы.", "DE.Controllers.ApplicationController.waitText": "Калі ласка, пачакайце...", + "DE.Controllers.ApplicationController.warnLicenseExceeded": "Вы дасягнулі абмежавання па адначасовай колькасці падлучэнняў да рэдактараў %1.Гэты дакумент будзе адкрыты для прагляду.
Звяжыцеся з адміністратарам, каб даведацца больш.", + "DE.Controllers.ApplicationController.warnLicenseExp": "Тэрмін дзеяння ліцэнзіі сышоў.
Калі ласка, абнавіце ліцэнзію, пасля абнавіце старонку.", + "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "Тэрмін дзеяння ліцэнзіі сышоў.
У вас няма доступу да функцый рэдагавання дакументаў.
Калі ласка, звярніцеся да адміністратара.", + "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "Патрэбна абнавіць ліцэнзію.
У вас абмежаваны доступ да функцый рэдагавання дакументаў.
Каб атрымаць поўны доступ, звярніцеся да адміністратара", + "DE.Controllers.ApplicationController.warnNoLicense": "Вы дасягнулі абмежавання па адначасовай колькасці падлучэнняў да рэдактараў %1.Гэты дакумент будзе адкрыты для прагляду.
Напішыце ў аддзел продажу %1,каб абмеркаваць асабістыя ўмовы ліцэнзіявання.", + "DE.Views.ApplicationView.textClear": "Ачысціць усе палі", + "DE.Views.ApplicationView.textCopy": "Капіяваць", + "DE.Views.ApplicationView.textCut": "Выразаць", + "DE.Views.ApplicationView.textFitToPage": "Па памерах старонкі", + "DE.Views.ApplicationView.textFitToWidth": "Па шырыні", + "DE.Views.ApplicationView.textPaste": "Уставіць", + "DE.Views.ApplicationView.textPrintSel": "Надрукаваць вылучанае", + "DE.Views.ApplicationView.textRedo": "Паўтарыць", + "DE.Views.ApplicationView.textUndo": "Адрабіць", + "DE.Views.ApplicationView.textZoom": "Маштаб", "DE.Views.ApplicationView.txtDownload": "Спампаваць", + "DE.Views.ApplicationView.txtDownloadDocx": "Спампаваць як docx", + "DE.Views.ApplicationView.txtDownloadPdf": "Спампаваць як PDF", "DE.Views.ApplicationView.txtEmbed": "Убудаваць", + "DE.Views.ApplicationView.txtFileLocation": "Перайсці да дакументаў", "DE.Views.ApplicationView.txtFullScreen": "Поўнаэкранны рэжым", "DE.Views.ApplicationView.txtPrint": "Друк", "DE.Views.ApplicationView.txtShare": "Падзяліцца" diff --git a/apps/documenteditor/forms/locale/bg.json b/apps/documenteditor/forms/locale/bg.json index ddc8b4286..ab4108bc9 100644 --- a/apps/documenteditor/forms/locale/bg.json +++ b/apps/documenteditor/forms/locale/bg.json @@ -6,20 +6,27 @@ "DE.Controllers.ApplicationController.downloadTextText": "Документът се изтегли ...", "DE.Controllers.ApplicationController.errorAccessDeny": "Опитвате се да извършите действие, за което нямате права.
Моля, свържете се с администратора на сървъра за документи.", "DE.Controllers.ApplicationController.errorDefaultMessage": "Код на грешка: %1", + "DE.Controllers.ApplicationController.errorEditingDownloadas": "Възникна грешка по време на работа с документа.
Използвайте опцията 'Download as ...', за да запишете архивното копие на файла на твърдия диск на компютъра.", "DE.Controllers.ApplicationController.errorFilePassProtect": "Файлът е защитен с парола и не може да бъде отворен.", "DE.Controllers.ApplicationController.errorFileSizeExceed": "Размерът на файла надвишава ограничението, зададено за вашия сървър.
Моля, свържете се с вашия администратор на Document Server за подробности.", + "DE.Controllers.ApplicationController.errorForceSave": "При запазването на файла възникна грешка. Моля, използвайте опцията \"Изтегляне като\", за да запишете файла на твърдия диск на компютъра или опитайте отново по-късно.", "DE.Controllers.ApplicationController.errorUpdateVersionOnDisconnect": "Интернет връзката е възстановена и версията на файла е променена.
Преди да продължите да работите, трябва да изтеглите файла или да копирате съдържанието му, за да сте сигурни, че нищо не е загубено, и след това да презаредите тази страница.", "DE.Controllers.ApplicationController.errorUserDrop": "Файлът не може да бъде достъпен в момента.", "DE.Controllers.ApplicationController.notcriticalErrorTitle": "Внимание", "DE.Controllers.ApplicationController.scriptLoadError": "Връзката е твърде бавна, някои от компонентите не могат да бъдат заредени. Моля, презаредете страницата.", "DE.Controllers.ApplicationController.textLoadingDocument": "Зареждане на документ", "DE.Controllers.ApplicationController.textOf": "на", + "DE.Controllers.ApplicationController.textSaveAs": "Запази като PDF", "DE.Controllers.ApplicationController.txtClose": "Затвори", "DE.Controllers.ApplicationController.unknownErrorText": "Неизвестна грешка.", "DE.Controllers.ApplicationController.unsupportedBrowserErrorText": "Вашият браузър не се поддържа.", "DE.Controllers.ApplicationController.waitText": "Моля изчакай...", "DE.Views.ApplicationView.txtDownload": "Изтегли", + "DE.Views.ApplicationView.txtDownloadDocx": "Изтеглете като docx", + "DE.Views.ApplicationView.txtDownloadPdf": "Изтеглете като PDF", "DE.Views.ApplicationView.txtEmbed": "Вграждане", + "DE.Views.ApplicationView.txtFileLocation": "Mестоположението на файла", "DE.Views.ApplicationView.txtFullScreen": "Цял екран", + "DE.Views.ApplicationView.txtPrint": "Отпечатване", "DE.Views.ApplicationView.txtShare": "Дял" } \ No newline at end of file diff --git a/apps/documenteditor/forms/locale/ca.json b/apps/documenteditor/forms/locale/ca.json index 820507362..00dd31c01 100644 --- a/apps/documenteditor/forms/locale/ca.json +++ b/apps/documenteditor/forms/locale/ca.json @@ -55,53 +55,53 @@ "Common.Views.EmbedDialog.textTitle": "Incrusta", "Common.Views.EmbedDialog.textWidth": "Amplada", "Common.Views.EmbedDialog.txtCopy": "Copia al porta-retalls", - "Common.Views.EmbedDialog.warnCopy": "Error del navegador! Utilitza la drecera de teclat [Ctrl] + [C]", + "Common.Views.EmbedDialog.warnCopy": "Error del navegador! Utilitzeu la drecera de teclat [Ctrl] + [C]", "Common.Views.ImageFromUrlDialog.textUrl": "Enganxa un URL d'imatge:", "Common.Views.ImageFromUrlDialog.txtEmpty": "Aquest camp és obligatori", "Common.Views.ImageFromUrlDialog.txtNotUrl": "Aquest camp hauria de ser un URL amb el format \"http://www.example.com\"", "Common.Views.OpenDialog.closeButtonText": "Tanca el fitxer", "Common.Views.OpenDialog.txtEncoding": "Codificació", "Common.Views.OpenDialog.txtIncorrectPwd": "La contrasenya no és correcta.", - "Common.Views.OpenDialog.txtOpenFile": "Introdueix una contrasenya per obrir el fitxer", + "Common.Views.OpenDialog.txtOpenFile": "Introduïu una contrasenya per obrir el fitxer", "Common.Views.OpenDialog.txtPassword": "Contrasenya", "Common.Views.OpenDialog.txtPreview": "Visualització prèvia", - "Common.Views.OpenDialog.txtProtected": "Un cop introdueixis la contrasenya i obris el fitxer, es restablirà la contrasenya actual del fitxer.", + "Common.Views.OpenDialog.txtProtected": "Un cop introduïu la contrasenya i obriu el fitxer, es restablirà la contrasenya actual del fitxer.", "Common.Views.OpenDialog.txtTitle": "Tria les opcions %1", "Common.Views.OpenDialog.txtTitleProtected": "El fitxer està protegit", "Common.Views.SaveAsDlg.textLoading": "S'està carregant", "Common.Views.SaveAsDlg.textTitle": "Carpeta per desar", "Common.Views.SelectFileDlg.textLoading": "S'està carregant", - "Common.Views.SelectFileDlg.textTitle": "Selecciona l'origen de les dades", + "Common.Views.SelectFileDlg.textTitle": "Seleccioneu l'origen de les dades", "Common.Views.ShareDialog.textTitle": "Comparteix l'enllaç", "Common.Views.ShareDialog.txtCopy": "Copia al porta-retalls", - "Common.Views.ShareDialog.warnCopy": "Error del navegador! Utilitza la drecera de teclat [Ctrl] + [C]", + "Common.Views.ShareDialog.warnCopy": "Error del navegador! Utilitzeu la drecera de teclat [Ctrl] + [C]", "DE.Controllers.ApplicationController.convertationErrorText": "No s'ha pogut convertir", "DE.Controllers.ApplicationController.convertationTimeoutText": "S'ha superat el temps de conversió.", "DE.Controllers.ApplicationController.criticalErrorTitle": "Error", "DE.Controllers.ApplicationController.downloadErrorText": "S'ha produït un error en la baixada", "DE.Controllers.ApplicationController.downloadTextText": "S'està baixant el document...", - "DE.Controllers.ApplicationController.errorAccessDeny": "No tens permisos per realitzar aquesta acció.
Contacta amb el teu administrador del servidor de documents.", + "DE.Controllers.ApplicationController.errorAccessDeny": "No teniu permisos per realitzar aquesta acció.
Contacteu amb l'administrador del servidor de documents.", "DE.Controllers.ApplicationController.errorBadImageUrl": "L'URL de la imatge no és correcta", - "DE.Controllers.ApplicationController.errorConnectToServer": "No s'ha pogut desar el document. Comprova la configuració de la connexió o contacta amb el teu administrador.
Quan facis clic en el botó \"D'acord\", et demanarà que descarreguis el document.", + "DE.Controllers.ApplicationController.errorConnectToServer": "No s'ha pogut desar el document. Comproveu la configuració de la connexió o contacteu amb l'administrador.
Quan feu clic al botó \"D'acord\", se us demanarà que descarregueu el document.", "DE.Controllers.ApplicationController.errorDataEncrypted": "Els canvis xifrats que s'han rebut no es poden desxifrar.", "DE.Controllers.ApplicationController.errorDefaultMessage": "Codi d'error:%1", - "DE.Controllers.ApplicationController.errorEditingDownloadas": "S'ha produït un error mentre es treballava amb el document.
Utilitza l'opció \"Baixa-ho com a ...\" per desar la còpia de seguretat del fitxer al disc dur de l'ordinador.", - "DE.Controllers.ApplicationController.errorEditingSaveas": "S'ha produït un error mentre es treballava amb el document.
Utilitza l'opció \"Desa com a ...\" per desar la còpia de seguretat del fitxer al disc dur de l’ordinador.", + "DE.Controllers.ApplicationController.errorEditingDownloadas": "S'ha produït un error mentre es treballava amb el document.
Utilitzeu l'opció \"Baixa-ho com a ...\" per desar la còpia de seguretat del fitxer al disc dur de l'ordinador.", + "DE.Controllers.ApplicationController.errorEditingSaveas": "S'ha produït un error mentre es treballava amb el document.
Utilitzeu l'opció \"Desar com a ...\" per desar la còpia de seguretat del fitxer al disc dur de l’ordinador.", "DE.Controllers.ApplicationController.errorFilePassProtect": "El fitxer està protegit amb contrasenya i no es pot obrir.", - "DE.Controllers.ApplicationController.errorFileSizeExceed": "La mida del fitxer supera el límit establert pel teu servidor. Contacta amb el teu administrador del servidor de documents per obtenir més informació.", - "DE.Controllers.ApplicationController.errorForceSave": "S'ha produït un error en desar el fitxer. Utilitza l'opció \"Baixa-ho com a\" per desar el fitxer al disc dur de l’ordinador o torna-ho a provar més endavant.", - "DE.Controllers.ApplicationController.errorLoadingFont": "No s'han carregat els tipus de lletra.
Contacta amb l'administrador del Servidor de Documents.", + "DE.Controllers.ApplicationController.errorFileSizeExceed": "La mida del fitxer supera el límit establert pel servidor. Contacteu amb l'administrador del servidor de documents per obtenir més informació.", + "DE.Controllers.ApplicationController.errorForceSave": "S'ha produït un error en desar el fitxer. Utilitzeu l'opció \"Baixa-ho com a\" per desar el fitxer al disc dur de l’ordinador o torneu-ho a provar més endavant.", + "DE.Controllers.ApplicationController.errorLoadingFont": "No s'han carregat els tipus de lletra.
Contacteu amb l'administrador del servidor de documents.", "DE.Controllers.ApplicationController.errorServerVersion": "S'ha actualitzat la versió de l'editor. Es tornarà a carregar la pàgina per aplicar els canvis.", - "DE.Controllers.ApplicationController.errorSessionAbsolute": "La sessió d’edició del document ha caducat. Torna a carregar la pàgina.", - "DE.Controllers.ApplicationController.errorSessionIdle": "Fa temps que no s'obre el document. Torna a carregar la pàgina.", - "DE.Controllers.ApplicationController.errorSessionToken": "S'ha interromput la connexió amb el servidor. Torna a carregar la pàgina.", + "DE.Controllers.ApplicationController.errorSessionAbsolute": "La sessió d’edició del document ha caducat. Torneu a carregar la pàgina.", + "DE.Controllers.ApplicationController.errorSessionIdle": "Fa temps que no s'obre el document. Torneu a carregar la pàgina.", + "DE.Controllers.ApplicationController.errorSessionToken": "S'ha interromput la connexió amb el servidor. Torneu a carregar la pàgina.", "DE.Controllers.ApplicationController.errorSubmit": "No s'ha pogut enviar.", - "DE.Controllers.ApplicationController.errorToken": "El testimoni de seguretat del document no s'ha format correctament.
Contacta amb el teu administrador del servidor de documents.", - "DE.Controllers.ApplicationController.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacta amb l'administrador del servidor de documents.", + "DE.Controllers.ApplicationController.errorToken": "El testimoni de seguretat del document no s'ha format correctament.
Contacteu amb l'administrador del servidor de documents.", + "DE.Controllers.ApplicationController.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacteu amb l'administrador del servidor de documents.", "DE.Controllers.ApplicationController.errorUpdateVersion": "S'ha canviat la versió del fitxer. La pàgina es tornarà a carregar.", - "DE.Controllers.ApplicationController.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.", - "DE.Controllers.ApplicationController.errorUserDrop": "Ara no es pot accedir al fitxer.", - "DE.Controllers.ApplicationController.errorViewerDisconnect": "S'ha perdut la connexió. Encara pots visualitzar el document,
però no el podràs baixar ni imprimir fins que no es restableixi la connexió i es torni a carregar la pàgina.", + "DE.Controllers.ApplicationController.errorUpdateVersionOnDisconnect": "La connexió a internet s'ha restaurat i la versió del fitxer s'ha canviat.
Abans de continuar treballant, heu de descarregar el fitxer o copiar-ne el contingut per assegurar-vos que no es perdi res i, després, tornar a carregar aquesta pàgina.", + "DE.Controllers.ApplicationController.errorUserDrop": "No es pot accedir al fitxer.", + "DE.Controllers.ApplicationController.errorViewerDisconnect": "S'ha perdut la connexió. Encara podeu visualitzar el document,
però no el podreu baixar ni imprimir fins que no es restableixi la connexió i es torni a carregar la pàgina.", "DE.Controllers.ApplicationController.mniImageFromFile": "Imatge del fitxer", "DE.Controllers.ApplicationController.mniImageFromStorage": "Imatge de l'emmagatzematge", "DE.Controllers.ApplicationController.mniImageFromUrl": "Imatge d'URL", @@ -109,50 +109,55 @@ "DE.Controllers.ApplicationController.openErrorText": "S'ha produït un error en obrir el fitxer.", "DE.Controllers.ApplicationController.saveErrorText": "S'ha produït un error en desar el fitxer.", "DE.Controllers.ApplicationController.saveErrorTextDesktop": "Aquest fitxer no es pot desar o crear.
Les possibles raons són:
1. El fitxer és només de lectura.
2. El fitxer és en aquests moments obert per altres usuaris.
3. El disc és ple o s'ha fet malbé.", - "DE.Controllers.ApplicationController.scriptLoadError": "La connexió és massa lenta, alguns dels components no s’han pogut carregar. Torna a carregar la pàgina.", + "DE.Controllers.ApplicationController.scriptLoadError": "La connexió és massa lenta, alguns dels components no s’han pogut carregar. Torneu a carregar la pàgina.", "DE.Controllers.ApplicationController.textAnonymous": "Anònim", - "DE.Controllers.ApplicationController.textBuyNow": "Visita el Lloc Web", - "DE.Controllers.ApplicationController.textCloseTip": "Fes clic per tancar el suggeriment.", - "DE.Controllers.ApplicationController.textContactUs": "Contacta amb vendes", + "DE.Controllers.ApplicationController.textBuyNow": "Visiteu el lloc web", + "DE.Controllers.ApplicationController.textCloseTip": "Feu clic per tancar el suggeriment.", + "DE.Controllers.ApplicationController.textContactUs": "Contacteu amb vendes", "DE.Controllers.ApplicationController.textGotIt": "Ho tinc", "DE.Controllers.ApplicationController.textGuest": "Convidat", "DE.Controllers.ApplicationController.textLoadingDocument": "S'està carregant el document", "DE.Controllers.ApplicationController.textNoLicenseTitle": "S'ha assolit el límit de llicència", "DE.Controllers.ApplicationController.textOf": "de", - "DE.Controllers.ApplicationController.textRequired": "Emplena tots els camps necessaris per enviar el formulari.", + "DE.Controllers.ApplicationController.textRequired": "Empleneu tots els camps necessaris per enviar el formulari.", "DE.Controllers.ApplicationController.textSaveAs": "Desa com a PDF", "DE.Controllers.ApplicationController.textSaveAsDesktop": "Desa com a...", - "DE.Controllers.ApplicationController.textSubmited": "El formulari s'ha enviat amb èxit
Fes clic per tancar el consell", + "DE.Controllers.ApplicationController.textSubmited": "El formulari s'ha enviat amb èxit
Feu clic per tancar el consell", + "DE.Controllers.ApplicationController.titleLicenseExp": "La llicència ha caducat", "DE.Controllers.ApplicationController.titleServerVersion": "S'ha actualitzat l'editor", "DE.Controllers.ApplicationController.titleUpdateVersion": "S'ha canviat la versió", - "DE.Controllers.ApplicationController.txtArt": "El teu text aquí", + "DE.Controllers.ApplicationController.txtArt": "El vostre text aquí", "DE.Controllers.ApplicationController.txtChoose": "Tria un element", - "DE.Controllers.ApplicationController.txtClickToLoad": "Fes clic per carregar la imatge", + "DE.Controllers.ApplicationController.txtClickToLoad": "Feu clic per carregar la imatge", "DE.Controllers.ApplicationController.txtClose": "Tanca", "DE.Controllers.ApplicationController.txtEmpty": "(Buit)", "DE.Controllers.ApplicationController.txtEnterDate": "Introdueix una data", - "DE.Controllers.ApplicationController.txtPressLink": "Prem CTRL i clica a l'enllaç", + "DE.Controllers.ApplicationController.txtPressLink": "Premeu CTRL i feu clic a l'enllaç", "DE.Controllers.ApplicationController.txtUntitled": "Sense títol", "DE.Controllers.ApplicationController.unknownErrorText": "Error desconegut.", - "DE.Controllers.ApplicationController.unsupportedBrowserErrorText": "El teu navegador no és compatible.", + "DE.Controllers.ApplicationController.unsupportedBrowserErrorText": "El vostre navegador no és compatible.", "DE.Controllers.ApplicationController.uploadImageExtMessage": "Format d'imatge desconegut.", "DE.Controllers.ApplicationController.uploadImageSizeMessage": "La imatge és massa gran. La mida màxima és 25 MB.", "DE.Controllers.ApplicationController.waitText": "Espera...", - "DE.Controllers.ApplicationController.warnLicenseExceeded": "Has arribat al límit de connexions simultànies amb %1 editors. Aquest document només s'obrirà en mode lectura.
Contacta amb el teu administrador per obtenir més informació.", - "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "La llicència ha caducat.
No tens accés a la funció d'edició de documents.
Contacta amb el teu administrador.", - "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "Cal renovar la llicència.
Tens un accés limitat a la funció d'edició de documents.
Contacta amb el teu administrador per obtenir accés total", - "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Has arribat al límit d'usuari per a %1 editors. Contacta amb el teu administrador per a més informació.", - "DE.Controllers.ApplicationController.warnNoLicense": "Has arribat al límit de connexions simultànies per als editors %1. Aquest document s'obrirà al mode de només lectura. Contacta l'equip de vendes %1 per a les condicions personals de millora del servei.", - "DE.Controllers.ApplicationController.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.", + "DE.Controllers.ApplicationController.warnLicenseExceeded": "Heu arribat al límit de connexions simultànies amb %1 editors. Aquest document només s'obrirà en mode lectura.
Contacteu amb l'administrador per obtenir més informació.", + "DE.Controllers.ApplicationController.warnLicenseExp": "La vostra llicència ha caducat.
Actualitzeu la llicència i recarregueu la pàgina.", + "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "La llicència ha caducat.
No teniu accés a la funció d'edició de documents.
Contacteu amb l'administrador.", + "DE.Controllers.ApplicationController.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", + "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Heu arribat al límit d'usuari per a %1 editors. Contacteu amb l'administrador per a més informació.", + "DE.Controllers.ApplicationController.warnNoLicense": "Heu arribat al límit de connexions simultànies per als editors %1. Aquest document s'obrirà en mode de només lectura. Contacteu l'equip de vendes %1 per a les condicions personals de millora del servei.", + "DE.Controllers.ApplicationController.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.", "DE.Views.ApplicationView.textClear": "Esborra tots els camps", "DE.Views.ApplicationView.textCopy": "Copia", "DE.Views.ApplicationView.textCut": "Talla", + "DE.Views.ApplicationView.textFitToPage": "Ajusta-ho a la pàgina", + "DE.Views.ApplicationView.textFitToWidth": "Ajusta-ho a l'amplària", "DE.Views.ApplicationView.textNext": "Camp següent", "DE.Views.ApplicationView.textPaste": "Enganxa", "DE.Views.ApplicationView.textPrintSel": "Imprimir la selecció", "DE.Views.ApplicationView.textRedo": "Refés", "DE.Views.ApplicationView.textSubmit": "Envia", "DE.Views.ApplicationView.textUndo": "Desfés", + "DE.Views.ApplicationView.textZoom": "Zoom", "DE.Views.ApplicationView.txtDarkMode": "Mode fosc", "DE.Views.ApplicationView.txtDownload": "Baixa", "DE.Views.ApplicationView.txtDownloadDocx": "Baixa-ho com a .docx", diff --git a/apps/documenteditor/forms/locale/cs.json b/apps/documenteditor/forms/locale/cs.json index 45054ea8c..c45e2c933 100644 --- a/apps/documenteditor/forms/locale/cs.json +++ b/apps/documenteditor/forms/locale/cs.json @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "Uložit jako PDF", "DE.Controllers.ApplicationController.textSaveAsDesktop": "Uložit jako...", "DE.Controllers.ApplicationController.textSubmited": "Formulář úspěšně uložen.
Klikněte pro zavření nápovědy.", + "DE.Controllers.ApplicationController.titleLicenseExp": "Platnost licence vypršela", "DE.Controllers.ApplicationController.titleServerVersion": "Editor byl aktualizován", "DE.Controllers.ApplicationController.titleUpdateVersion": "Verze změněna", "DE.Controllers.ApplicationController.txtArt": "Zde napište text", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "Obrázek je příliš velký. Maximální velikost je 25 MB.", "DE.Controllers.ApplicationController.waitText": "Čekejte prosím…", "DE.Controllers.ApplicationController.warnLicenseExceeded": "Došlo k dosažení limitu počtu souběžných spojení %1 editorů. Dokument bude otevřen pouze pro náhled.
Pro více podrobností kontaktujte svého správce.", + "DE.Controllers.ApplicationController.warnLicenseExp": "Platnost vaší licence vypršela.
Prosím, aktualizujte vaší licenci a obnovte stránku.", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "Platnost vaší licence skončila.
Nemáte přístup k upravování dokumentů.
Obraťte se na svého správce.", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "Vaši licenci je nutné obnovit.
Přístup k možnostem editace dokumentu je omezen.
Pro získání plného přístupu prosím kontaktujte svého administrátora.", "DE.Controllers.ApplicationController.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.", @@ -147,12 +149,15 @@ "DE.Views.ApplicationView.textClear": "Vymazat všechna pole", "DE.Views.ApplicationView.textCopy": "Kopírovat", "DE.Views.ApplicationView.textCut": "Vyjmout", + "DE.Views.ApplicationView.textFitToPage": "Přízpůsobit stránce", + "DE.Views.ApplicationView.textFitToWidth": "Přizpůsobit šířce", "DE.Views.ApplicationView.textNext": "Následující pole", "DE.Views.ApplicationView.textPaste": "Vložit", "DE.Views.ApplicationView.textPrintSel": "Vytisknout vybrané", "DE.Views.ApplicationView.textRedo": "Znovu", "DE.Views.ApplicationView.textSubmit": "Potvrdit", "DE.Views.ApplicationView.textUndo": "Zpět", + "DE.Views.ApplicationView.textZoom": "Přiblížení", "DE.Views.ApplicationView.txtDarkMode": "Tmavý režim", "DE.Views.ApplicationView.txtDownload": "Stáhnout", "DE.Views.ApplicationView.txtDownloadDocx": "Stáhnout jako docx", @@ -162,5 +167,5 @@ "DE.Views.ApplicationView.txtFullScreen": "Na celou obrazovku", "DE.Views.ApplicationView.txtPrint": "Tisk", "DE.Views.ApplicationView.txtShare": "Sdílet", - "DE.Views.ApplicationView.txtTheme": "Vzhled uživatelského rozhraní" + "DE.Views.ApplicationView.txtTheme": "Vzhled prostředí" } \ No newline at end of file diff --git a/apps/documenteditor/forms/locale/da.json b/apps/documenteditor/forms/locale/da.json index 13407ed22..6d0800d02 100644 --- a/apps/documenteditor/forms/locale/da.json +++ b/apps/documenteditor/forms/locale/da.json @@ -147,12 +147,15 @@ "DE.Views.ApplicationView.textClear": "Ryd alle felter", "DE.Views.ApplicationView.textCopy": "Kopier", "DE.Views.ApplicationView.textCut": "Klip", + "DE.Views.ApplicationView.textFitToPage": "Tilpas til side", + "DE.Views.ApplicationView.textFitToWidth": "Tilpas til bredde", "DE.Views.ApplicationView.textNext": "Næste felt", "DE.Views.ApplicationView.textPaste": "Indsæt", "DE.Views.ApplicationView.textPrintSel": "Printer-valg", "DE.Views.ApplicationView.textRedo": "Fortryd", "DE.Views.ApplicationView.textSubmit": "Send", "DE.Views.ApplicationView.textUndo": "Fortryd", + "DE.Views.ApplicationView.textZoom": "Zoom", "DE.Views.ApplicationView.txtDarkMode": "Mørk tilstand", "DE.Views.ApplicationView.txtDownload": "Hent", "DE.Views.ApplicationView.txtDownloadDocx": "Download som docx", diff --git a/apps/documenteditor/forms/locale/de.json b/apps/documenteditor/forms/locale/de.json index ee202087b..9cccc4a3e 100644 --- a/apps/documenteditor/forms/locale/de.json +++ b/apps/documenteditor/forms/locale/de.json @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "Als PDF speichern", "DE.Controllers.ApplicationController.textSaveAsDesktop": "Speichern als...", "DE.Controllers.ApplicationController.textSubmited": "Das Formular wurde erfolgreich abgesendet
Klicken Sie hier, um den Tipp auszublenden", + "DE.Controllers.ApplicationController.titleLicenseExp": "Lizenz ist abgelaufen", "DE.Controllers.ApplicationController.titleServerVersion": "Editor wurde aktualisiert", "DE.Controllers.ApplicationController.titleUpdateVersion": "Version wurde geändert", "DE.Controllers.ApplicationController.txtArt": "Hier den Text eingeben", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten.", "DE.Controllers.ApplicationController.waitText": "Bitte warten...", "DE.Controllers.ApplicationController.warnLicenseExceeded": "Sie haben das Limit für gleichzeitige Verbindungen in %1-Editoren erreicht. Dieses Dokument wird nur zum Anzeigen geöffnet.
Bitte wenden Sie sich an Ihren Administrator, um weitere Informationen zu erhalten.", + "DE.Controllers.ApplicationController.warnLicenseExp": "Ihre Lizenz ist abgelaufen.
Bitte aktualisieren Sie Ihre Lizenz und laden Sie die Seite neu.", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "Die Lizenz ist abgelaufen.
Die Bearbeitungsfunktionen sind nicht verfügbar.
Bitte wenden Sie sich an Ihrem Administrator.", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "Die Lizenz soll aktualisiert werden.
Die Bearbeitungsfunktionen sind eingeschränkt.
Bitte wenden Sie sich an Ihrem Administrator für vollen Zugriff", "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte wenden Sie sich an Ihren Administrator, um weitere Informationen zu erhalten.", @@ -147,12 +149,15 @@ "DE.Views.ApplicationView.textClear": "Alle Felder leeren", "DE.Views.ApplicationView.textCopy": "Kopieren", "DE.Views.ApplicationView.textCut": "Ausschneiden", + "DE.Views.ApplicationView.textFitToPage": "Seite anpassen", + "DE.Views.ApplicationView.textFitToWidth": "An Breite anpassen", "DE.Views.ApplicationView.textNext": "Nächstes Feld", "DE.Views.ApplicationView.textPaste": "Einfügen", "DE.Views.ApplicationView.textPrintSel": "Auswahl drucken", "DE.Views.ApplicationView.textRedo": "Wiederholen", "DE.Views.ApplicationView.textSubmit": "Senden", "DE.Views.ApplicationView.textUndo": "Rückgängig machen", + "DE.Views.ApplicationView.textZoom": "Zoom", "DE.Views.ApplicationView.txtDarkMode": "Dunkelmodus", "DE.Views.ApplicationView.txtDownload": "Herunterladen", "DE.Views.ApplicationView.txtDownloadDocx": "Als DOCX herunterladen", diff --git a/apps/documenteditor/forms/locale/el.json b/apps/documenteditor/forms/locale/el.json index a69483140..de33aa69c 100644 --- a/apps/documenteditor/forms/locale/el.json +++ b/apps/documenteditor/forms/locale/el.json @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "Αποθήκευση ως PDF", "DE.Controllers.ApplicationController.textSaveAsDesktop": "Αποθήκευση ως...", "DE.Controllers.ApplicationController.textSubmited": "Η φόρμα υποβλήθηκε με επιτυχία
Κάντε κλικ για να κλείσετε τη συμβουλή ", + "DE.Controllers.ApplicationController.titleLicenseExp": "Η άδεια έχει λήξει", "DE.Controllers.ApplicationController.titleServerVersion": "Ο συντάκτης ενημερώθηκε", "DE.Controllers.ApplicationController.titleUpdateVersion": "Η έκδοση άλλαξε", "DE.Controllers.ApplicationController.txtArt": "Το κείμενό σας εδώ", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "Η εικόνα είναι πολύ μεγάλη. Το μέγιστο μέγεθος είναι 25MB.", "DE.Controllers.ApplicationController.waitText": "Παρακαλούμε, περιμένετε...", "DE.Controllers.ApplicationController.warnLicenseExceeded": "Έχετε φτάσει το όριο για ταυτόχρονες συνδέσεις με συντάκτες %1. Αυτό το έγγραφο θα ανοιχτεί μόνο για προβολή.​​
Παρακαλούμε επικοινωνήστε με τον διαχειριστή σας για περισσότερες πληροφορίες.", + "DE.Controllers.ApplicationController.warnLicenseExp": "Η άδειά σας έχει λήξει.", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "Η άδεια έληξε.
Δεν έχετε πρόσβαση στη δυνατότητα επεξεργασίας εγγράφων.
Επικοινωνήστε με τον διαχειριστή σας.", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "Η άδεια πρέπει να ανανεωθεί.
Έχετε περιορισμένη πρόσβαση στη λειτουργία επεξεργασίας εγγράφων.
Επικοινωνήστε με τον διαχειριστή σας για πλήρη πρόσβαση", "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.
Επικοινωνήστε με τον διαχειριστή σας για περισσότερες πληροφορίες.", @@ -147,12 +149,15 @@ "DE.Views.ApplicationView.textClear": "Εκκαθάριση Όλων των Πεδίων", "DE.Views.ApplicationView.textCopy": "Αντιγραφή", "DE.Views.ApplicationView.textCut": "Αποκοπή", + "DE.Views.ApplicationView.textFitToPage": "Προσαρμογή στη Σελίδα", + "DE.Views.ApplicationView.textFitToWidth": "Προσαρμογή στο Πλάτος", "DE.Views.ApplicationView.textNext": "Επόμενο Πεδίο", "DE.Views.ApplicationView.textPaste": "Επικόλληση", "DE.Views.ApplicationView.textPrintSel": "Εκτύπωση Επιλογής", "DE.Views.ApplicationView.textRedo": "Επανάληψη", "DE.Views.ApplicationView.textSubmit": "Υποβολή", "DE.Views.ApplicationView.textUndo": "Αναίρεση", + "DE.Views.ApplicationView.textZoom": "Εστίαση", "DE.Views.ApplicationView.txtDarkMode": "Σκούρο θέμα", "DE.Views.ApplicationView.txtDownload": "Λήψη", "DE.Views.ApplicationView.txtDownloadDocx": "Λήψη ως docx", diff --git a/apps/documenteditor/forms/locale/en.json b/apps/documenteditor/forms/locale/en.json index 13e691b38..f0a2b4233 100644 --- a/apps/documenteditor/forms/locale/en.json +++ b/apps/documenteditor/forms/locale/en.json @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "Save as PDF", "DE.Controllers.ApplicationController.textSaveAsDesktop": "Save as...", "DE.Controllers.ApplicationController.textSubmited": "Form submitted successfully
Click to close the tip", + "DE.Controllers.ApplicationController.titleLicenseExp": "License expired", "DE.Controllers.ApplicationController.titleServerVersion": "Editor updated", "DE.Controllers.ApplicationController.titleUpdateVersion": "Version changed", "DE.Controllers.ApplicationController.txtArt": "Your text here", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", "DE.Controllers.ApplicationController.waitText": "Please, wait...", "DE.Controllers.ApplicationController.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.", + "DE.Controllers.ApplicationController.warnLicenseExp": "Your license has expired.
Please update your license and refresh the page.", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "License expired.
You have no access to document editing functionality.
Please contact your administrator.", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "License needs to be renewed.
You have a limited access to document editing functionality.
Please contact your administrator to get full access", "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", diff --git a/apps/documenteditor/forms/locale/es.json b/apps/documenteditor/forms/locale/es.json index 038c2283d..e716dccca 100644 --- a/apps/documenteditor/forms/locale/es.json +++ b/apps/documenteditor/forms/locale/es.json @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "Guardar como PDF", "DE.Controllers.ApplicationController.textSaveAsDesktop": "Guardar como...", "DE.Controllers.ApplicationController.textSubmited": "Formulario enviado con éxito
Haga clic para cerrar el consejo", + "DE.Controllers.ApplicationController.titleLicenseExp": "La licencia ha expirado", "DE.Controllers.ApplicationController.titleServerVersion": "Editor ha sido actualizado", "DE.Controllers.ApplicationController.titleUpdateVersion": "Versión se ha cambiado", "DE.Controllers.ApplicationController.txtArt": "Escriba el texto aquí", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "La imagen es demasiado grande. El tamaño máximo es de 25 MB.", "DE.Controllers.ApplicationController.waitText": "Por favor, espere...", "DE.Controllers.ApplicationController.warnLicenseExceeded": "Usted ha alcanzado el límite de conexiones simultáneas con %1 editores. Este documento se abrirá sólo para su visualización.
Por favor, contacte con su administrador para recibir más información.", + "DE.Controllers.ApplicationController.warnLicenseExp": "Su licencia ha expirado.
Actualice su licencia y después recargue la página.", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "Licencia expirada.
No tiene acceso a la funcionalidad de edición de documentos.
Por favor, póngase en contacto con su administrador.", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "La licencia requiere ser renovada.
Tiene un acceso limitado a la funcionalidad de edición de documentos.
Por favor, póngase en contacto con su administrador para obtener un acceso completo", "DE.Controllers.ApplicationController.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.", @@ -147,12 +149,15 @@ "DE.Views.ApplicationView.textClear": "Borrar todos los campos", "DE.Views.ApplicationView.textCopy": "Copiar ", "DE.Views.ApplicationView.textCut": "Cortar", + "DE.Views.ApplicationView.textFitToPage": "Ajustar a la página", + "DE.Views.ApplicationView.textFitToWidth": "Ajustar al ancho", "DE.Views.ApplicationView.textNext": "Campo siguiente", "DE.Views.ApplicationView.textPaste": "Pegar", "DE.Views.ApplicationView.textPrintSel": "Imprimir selección", "DE.Views.ApplicationView.textRedo": "Rehacer", "DE.Views.ApplicationView.textSubmit": "Enviar", "DE.Views.ApplicationView.textUndo": "Deshacer", + "DE.Views.ApplicationView.textZoom": "Zoom", "DE.Views.ApplicationView.txtDarkMode": "Modo oscuro", "DE.Views.ApplicationView.txtDownload": "Descargar", "DE.Views.ApplicationView.txtDownloadDocx": "Descargar como docx", diff --git a/apps/documenteditor/forms/locale/fr.json b/apps/documenteditor/forms/locale/fr.json index 6bde97b24..a872d7c4c 100644 --- a/apps/documenteditor/forms/locale/fr.json +++ b/apps/documenteditor/forms/locale/fr.json @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "Enregistrer comme PDF", "DE.Controllers.ApplicationController.textSaveAsDesktop": "Enregistrer sous...", "DE.Controllers.ApplicationController.textSubmited": "Le formulaire a été soumis avec succès
Cliquez ici pour fermer l'astuce", + "DE.Controllers.ApplicationController.titleLicenseExp": "Licence expirée", "DE.Controllers.ApplicationController.titleServerVersion": "L'éditeur est mis à jour", "DE.Controllers.ApplicationController.titleUpdateVersion": "La version a été modifiée", "DE.Controllers.ApplicationController.txtArt": "Saisissez votre texte", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "L'image est trop grande. La taille limite est de 25 Mo.", "DE.Controllers.ApplicationController.waitText": "Veuillez patienter...", "DE.Controllers.ApplicationController.warnLicenseExceeded": "Vous avez dépassé le nombre maximal de connexions simultanées aux éditeurs %1. Ce document sera ouvert en mode lecture seule.
Veuillez contacter votre administrateur pour en savoir davantage.", + "DE.Controllers.ApplicationController.warnLicenseExp": "Votre licence a expiré.
Veuillez mettre à jour votre licence et actualiser la page.", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "La licence est expirée.
Vous n'avez plus d'accès aux outils d'édition.
Veuillez contacter votre administrateur.", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "La licence doit être renouvelée.
Vous avez un accès limité aux outils d'édition des documents.
Veuillez contacter votre administrateur pour obtenir un accès complet.", "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Vous avez dépassé le nombre maximal d’utilisateurs des éditeurs %1. Veuillez contacter votre administrateur pour en savoir davantage.", @@ -147,12 +149,15 @@ "DE.Views.ApplicationView.textClear": "Effacer tous les champs", "DE.Views.ApplicationView.textCopy": "Copier", "DE.Views.ApplicationView.textCut": "Couper", + "DE.Views.ApplicationView.textFitToPage": "Ajuster à la page", + "DE.Views.ApplicationView.textFitToWidth": "Ajuster à la largeur", "DE.Views.ApplicationView.textNext": "Champ suivant", "DE.Views.ApplicationView.textPaste": "Coller", "DE.Views.ApplicationView.textPrintSel": "Imprimer la sélection", "DE.Views.ApplicationView.textRedo": "Rétablir", "DE.Views.ApplicationView.textSubmit": "Soumettre ", "DE.Views.ApplicationView.textUndo": "Annuler", + "DE.Views.ApplicationView.textZoom": "Zoom", "DE.Views.ApplicationView.txtDarkMode": "Mode sombre", "DE.Views.ApplicationView.txtDownload": "Télécharger", "DE.Views.ApplicationView.txtDownloadDocx": "Télécharger en tant que docx", diff --git a/apps/documenteditor/forms/locale/gl.json b/apps/documenteditor/forms/locale/gl.json index 64cf98d8d..287d0c9e7 100644 --- a/apps/documenteditor/forms/locale/gl.json +++ b/apps/documenteditor/forms/locale/gl.json @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "Gardar como PDF", "DE.Controllers.ApplicationController.textSaveAsDesktop": "Gardar como...", "DE.Controllers.ApplicationController.textSubmited": "Formulario enviado con éxito
Prema para pechar o consello", + "DE.Controllers.ApplicationController.titleLicenseExp": "A licenza expirou", "DE.Controllers.ApplicationController.titleServerVersion": "Editor actualizado", "DE.Controllers.ApplicationController.titleUpdateVersion": "A versión cambiou", "DE.Controllers.ApplicationController.txtArt": "Escriba o texto aquí", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "A imaxe é demasiado grande. O tamaño máximo é de 25 MB.", "DE.Controllers.ApplicationController.waitText": "Agarde...", "DE.Controllers.ApplicationController.warnLicenseExceeded": "Alcanzou o límite de conexións simultáneas con %1 editores. Este documento abrirase só para a súa visualización.
Por favor, contacte co seu administrador para recibir máis información.", + "DE.Controllers.ApplicationController.warnLicenseExp": "A túa licenza caducou.
Actualiza a túa licenza e actualiza a páxina.", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "Licenza expirada.
Non ten acceso á funcionalidade de edición de documentos.
por favor, póñase en contacto co seu administrador.", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "A licenza precisa ser renovada.
Ten un acceso limitado á funcionalidade de edición de documentos.
Por favor, póñase en contacto co seu administrador para obter un acceso completo", "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Alcanzou o límite de usuarios para os editores de %1. Por favor, contacte co se uadministrador para recibir máis información.", @@ -147,12 +149,15 @@ "DE.Views.ApplicationView.textClear": "Borrar todos os campos", "DE.Views.ApplicationView.textCopy": "Copiar", "DE.Views.ApplicationView.textCut": "Cortar", + "DE.Views.ApplicationView.textFitToPage": "Axustar á páxina", + "DE.Views.ApplicationView.textFitToWidth": "Axustar á anchura", "DE.Views.ApplicationView.textNext": "Seguinte campo", "DE.Views.ApplicationView.textPaste": "Pegar", "DE.Views.ApplicationView.textPrintSel": "Imprimir selección", "DE.Views.ApplicationView.textRedo": "Refacer", "DE.Views.ApplicationView.textSubmit": "Enviar", "DE.Views.ApplicationView.textUndo": "Desfacer", + "DE.Views.ApplicationView.textZoom": "Ampliar", "DE.Views.ApplicationView.txtDarkMode": "Modo escuro", "DE.Views.ApplicationView.txtDownload": "Descargar", "DE.Views.ApplicationView.txtDownloadDocx": "Descargar como docx", diff --git a/apps/documenteditor/forms/locale/hu.json b/apps/documenteditor/forms/locale/hu.json index 773315cb9..0225c18de 100644 --- a/apps/documenteditor/forms/locale/hu.json +++ b/apps/documenteditor/forms/locale/hu.json @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "Mentés PDF-ként", "DE.Controllers.ApplicationController.textSaveAsDesktop": "Mentés másként...", "DE.Controllers.ApplicationController.textSubmited": "Az űrlap sikeresen elküldve
Kattintson a tipp bezárásához", + "DE.Controllers.ApplicationController.titleLicenseExp": "Lejárt licenc", "DE.Controllers.ApplicationController.titleServerVersion": "Szerkesztő frissítve", "DE.Controllers.ApplicationController.titleUpdateVersion": "A verzió megváltozott", "DE.Controllers.ApplicationController.txtArt": "Írja a szöveget ide", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "A kép túl nagy. A maximális méret 25 MB.", "DE.Controllers.ApplicationController.waitText": "Kérjük, várjon...", "DE.Controllers.ApplicationController.warnLicenseExceeded": "Elérte a(z) %1 szerkesztőhöz tartozó egyidejű csatlakozás korlátját. Ez a dokumentum csak megtekintésre nyílik meg.
További információért forduljon rendszergazdájához.", + "DE.Controllers.ApplicationController.warnLicenseExp": "A licence lejárt.
Kérem frissítse a licencét, majd az oldalt.", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "A licenc lejárt.
Nincs hozzáférése a dokumentumszerkesztő funkciókhoz.
Kérjük, lépjen kapcsolatba a rendszergazdával.", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "A licencet meg kell újítani.
Korlátozott hozzáférése van a dokumentumszerkesztési funkciókhoz.
A teljes hozzáférésért forduljon rendszergazdájához", "DE.Controllers.ApplicationController.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.", @@ -147,12 +149,15 @@ "DE.Views.ApplicationView.textClear": "Az összes mező törlése", "DE.Views.ApplicationView.textCopy": "Másol", "DE.Views.ApplicationView.textCut": "Kivág", + "DE.Views.ApplicationView.textFitToPage": "Oldalhoz igazít", + "DE.Views.ApplicationView.textFitToWidth": "Szélességhez igazít", "DE.Views.ApplicationView.textNext": "Következő mező", "DE.Views.ApplicationView.textPaste": "Beillesztés", "DE.Views.ApplicationView.textPrintSel": "Nyomtató kiválasztás", "DE.Views.ApplicationView.textRedo": "Újra", "DE.Views.ApplicationView.textSubmit": "Beküldés", "DE.Views.ApplicationView.textUndo": "Vissza", + "DE.Views.ApplicationView.textZoom": "Zoom", "DE.Views.ApplicationView.txtDarkMode": "Sötét mód", "DE.Views.ApplicationView.txtDownload": "Letöltés", "DE.Views.ApplicationView.txtDownloadDocx": "Letöltés DOCX-ként", diff --git a/apps/documenteditor/forms/locale/it.json b/apps/documenteditor/forms/locale/it.json index 26d00de29..f6fa1b13e 100644 --- a/apps/documenteditor/forms/locale/it.json +++ b/apps/documenteditor/forms/locale/it.json @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "Salvare come PDF", "DE.Controllers.ApplicationController.textSaveAsDesktop": "Salvare come...", "DE.Controllers.ApplicationController.textSubmited": "Modulo inviato con successo
Fare click per chiudere la notifica
", + "DE.Controllers.ApplicationController.titleLicenseExp": "La licenza è scaduta", "DE.Controllers.ApplicationController.titleServerVersion": "L'editor è stato aggiornato", "DE.Controllers.ApplicationController.titleUpdateVersion": "La versione è stata cambiata", "DE.Controllers.ApplicationController.txtArt": "Il tuo testo qui", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "L'immagine è troppo grande. La dimensione massima è 25 MB.", "DE.Controllers.ApplicationController.waitText": "Per favore, attendi...", "DE.Controllers.ApplicationController.warnLicenseExceeded": "Hai raggiunto il limite delle connessioni simultanee con gli editor %1. Questo documento verrà aperto solo per la visualizzazione.
Ti preghiamo di contattare il tuo amministratore per maggior informazioni.", + "DE.Controllers.ApplicationController.warnLicenseExp": "La tua licenza è scaduta.
Si prega di aggiornare la licenza e ricaricare la pagina.", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "Licenza è scaduta.
Non hai accesso alle funzionalità di modifica dei documenti.
Ti preghiamo di contattare l'amministratore.", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "La licenza va rinnovata.
Hai un accesso limitato alle funzionalità di modifica dei documenti.
Ti preghiamo di contattare l'amministratore per ottenere l'accesso completo", "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Hai raggiunto il limite degli utenti per gli editor %1. Ti preghiamo di contattare il tuo amministratore per maggior informazioni.", @@ -147,12 +149,15 @@ "DE.Views.ApplicationView.textClear": "‎Cancellare tutti i campi‎", "DE.Views.ApplicationView.textCopy": "Copiare", "DE.Views.ApplicationView.textCut": "Tagliare", + "DE.Views.ApplicationView.textFitToPage": "Adatta alla pagina", + "DE.Views.ApplicationView.textFitToWidth": "Adatta alla larghezza", "DE.Views.ApplicationView.textNext": "Campo successivo", "DE.Views.ApplicationView.textPaste": "Incollare", "DE.Views.ApplicationView.textPrintSel": "Stampare selezione", "DE.Views.ApplicationView.textRedo": "Ripetere", "DE.Views.ApplicationView.textSubmit": "‎Invia‎", "DE.Views.ApplicationView.textUndo": "Annullare", + "DE.Views.ApplicationView.textZoom": "Zoom", "DE.Views.ApplicationView.txtDarkMode": "Modalità scura", "DE.Views.ApplicationView.txtDownload": "Scarica", "DE.Views.ApplicationView.txtDownloadDocx": "Scarica come .docx", diff --git a/apps/documenteditor/forms/locale/ja.json b/apps/documenteditor/forms/locale/ja.json index 7094e091b..20417a14a 100644 --- a/apps/documenteditor/forms/locale/ja.json +++ b/apps/documenteditor/forms/locale/ja.json @@ -101,7 +101,7 @@ "DE.Controllers.ApplicationController.errorUpdateVersion": "ファイルが変更されました。ページがリロードされます。", "DE.Controllers.ApplicationController.errorUpdateVersionOnDisconnect": "インターネット接続が復旧し、ファイルのバージョンが更新されています。
作業を継続する前に、ファイルをダウンロードするか内容をコピーして、変更が消えてしまわないようにしてからページを再読み込みしてください。", "DE.Controllers.ApplicationController.errorUserDrop": "今、ファイルにアクセスすることはできません。", - "DE.Controllers.ApplicationController.errorViewerDisconnect": "接続が失われました。文書の表示は可能ですが、
接続が復元されてページが再ロードされるまで、ダウンロードまたは印刷することはできません。", + "DE.Controllers.ApplicationController.errorViewerDisconnect": "接続が失われました。文書の表示は可能ですが、
再度接続されてページが再ロードされるまで、ダウンロードまたは印刷することはできません。", "DE.Controllers.ApplicationController.mniImageFromFile": "ファイルからの画像", "DE.Controllers.ApplicationController.mniImageFromStorage": "ストレージから画像を読み込む", "DE.Controllers.ApplicationController.mniImageFromUrl": "URLから画像を読み込む", @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "PDFとして保存", "DE.Controllers.ApplicationController.textSaveAsDesktop": "名前を付けて保存", "DE.Controllers.ApplicationController.textSubmited": "フォームが正常に送信されました。
クリックしてヒントを閉じます。", + "DE.Controllers.ApplicationController.titleLicenseExp": "ライセンスの有効期限が切れています", "DE.Controllers.ApplicationController.titleServerVersion": "編集者が更新されました", "DE.Controllers.ApplicationController.titleUpdateVersion": "バージョンが変更されました", "DE.Controllers.ApplicationController.txtArt": "ここにテキストを入力", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "画像サイズの上限を超えました。サイズの上限は25MBです。", "DE.Controllers.ApplicationController.waitText": "少々お待ちください...", "DE.Controllers.ApplicationController.warnLicenseExceeded": "%1エディターへの同時接続の制限に達しました。 このドキュメントは表示専用で開かれます。
詳細については、管理者にお問い合わせください。", + "DE.Controllers.ApplicationController.warnLicenseExp": "ライセンスの有効期限が切れています。
ライセンスを更新してページをリロードしてください。", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "ライセンスの有効期限が切れています。
ドキュメント編集機能にアクセスできません。
管理者にご連絡ください。", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "ライセンスを更新する必要があります。
ドキュメント編集機能へのアクセスが制限されています。
フルアクセスを取得するには、管理者にご連絡ください", "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "%1エディターのユーザー制限に達しました。 詳細については、管理者にお問い合わせください。", @@ -147,12 +149,15 @@ "DE.Views.ApplicationView.textClear": "すべてのフィールドを削除する", "DE.Views.ApplicationView.textCopy": "コピー", "DE.Views.ApplicationView.textCut": "切り取り", + "DE.Views.ApplicationView.textFitToPage": "ページに合わせる", + "DE.Views.ApplicationView.textFitToWidth": "幅に合わせる", "DE.Views.ApplicationView.textNext": "次のフィールド", "DE.Views.ApplicationView.textPaste": "貼り付け", "DE.Views.ApplicationView.textPrintSel": "選択範囲の印刷", "DE.Views.ApplicationView.textRedo": "やり直す", "DE.Views.ApplicationView.textSubmit": "送信", "DE.Views.ApplicationView.textUndo": "元に戻す", + "DE.Views.ApplicationView.textZoom": "ズーム", "DE.Views.ApplicationView.txtDarkMode": "ダークモード", "DE.Views.ApplicationView.txtDownload": "ダウンロード", "DE.Views.ApplicationView.txtDownloadDocx": "docxとして保存", diff --git a/apps/documenteditor/forms/locale/lo.json b/apps/documenteditor/forms/locale/lo.json index 0d8aff39d..9f52922a9 100644 --- a/apps/documenteditor/forms/locale/lo.json +++ b/apps/documenteditor/forms/locale/lo.json @@ -1,4 +1,7 @@ { + "Common.UI.Themes.txtThemeClassicLight": "ແສງມາດຕະຖານ", + "Common.UI.Themes.txtThemeDark": "ມືດ", + "Common.UI.Themes.txtThemeLight": "ແຈ້ງ", "DE.Controllers.ApplicationController.convertationErrorText": " ການປ່ຽນແປງບໍ່ສຳເລັດ.", "DE.Controllers.ApplicationController.convertationTimeoutText": "ໝົດເວລາການປ່ຽນແປງ.", "DE.Controllers.ApplicationController.criticalErrorTitle": "ຂໍ້ຜິດພາດ", @@ -16,11 +19,14 @@ "DE.Controllers.ApplicationController.scriptLoadError": "ການເຊື່ອມຕໍ່ອິນເຕີເນັດຊ້າເກີນໄປ, ບາງອົງປະກອບບໍ່ສາມາດໂຫຼດໄດ້. ກະລຸນາໂຫຼດໜ້ານີ້ຄືນໃໝ່", "DE.Controllers.ApplicationController.textLoadingDocument": "ກຳລັງໂຫຼດເອກະສານ", "DE.Controllers.ApplicationController.textOf": "ຂອງ", + "DE.Controllers.ApplicationController.textSaveAs": "ບັນທຶກເປັນ PDF", "DE.Controllers.ApplicationController.textSubmited": " ແບບຟອມທີ່ສົ່ງມາແລ້ວ", "DE.Controllers.ApplicationController.txtClose": " ປິດ", "DE.Controllers.ApplicationController.unknownErrorText": "ມີຂໍ້ຜິດພາດທີ່ບໍ່ຮູ້ສາເຫດ", "DE.Controllers.ApplicationController.unsupportedBrowserErrorText": "ບຣາວເຊີຂອງທ່ານບໍ່ສາມານຳໃຊ້ໄດ້", "DE.Controllers.ApplicationController.waitText": "ກະລຸນາລໍຖ້າ...", + "DE.Views.ApplicationView.textClear": "ລຶບລ້າງຟີລດທັງໝົດ", + "DE.Views.ApplicationView.textNext": "ຟີວທັດໄປ", "DE.Views.ApplicationView.txtDownload": "ດາວໂຫຼດ", "DE.Views.ApplicationView.txtDownloadDocx": "ດາວໂຫລດເປັນເອກະສານ", "DE.Views.ApplicationView.txtDownloadPdf": "ດາວໂຫລດເປັນPDF", diff --git a/apps/documenteditor/forms/locale/lv.json b/apps/documenteditor/forms/locale/lv.json index f6f429fd4..ddb720e72 100644 --- a/apps/documenteditor/forms/locale/lv.json +++ b/apps/documenteditor/forms/locale/lv.json @@ -15,5 +15,7 @@ "DE.Controllers.ApplicationController.unknownErrorText": "Nezināma kļūda.", "DE.Controllers.ApplicationController.unsupportedBrowserErrorText": "Jūsu pārlūkprogramma nav atbalstīta.", "DE.Views.ApplicationView.txtDownload": "Lejupielādēt", + "DE.Views.ApplicationView.txtFileLocation": "Iet uz Dokumenti", + "DE.Views.ApplicationView.txtPrint": "Drukāt", "DE.Views.ApplicationView.txtShare": "Dalīties" } \ No newline at end of file diff --git a/apps/documenteditor/forms/locale/nb.json b/apps/documenteditor/forms/locale/nb.json index 249f4f0d6..8698291b1 100644 --- a/apps/documenteditor/forms/locale/nb.json +++ b/apps/documenteditor/forms/locale/nb.json @@ -1,8 +1,4 @@ { - "common.view.modals.txtCopy": "Kopier til utklippstavle", - "common.view.modals.txtHeight": "Høyde", - "common.view.modals.txtShare": "Del link", - "common.view.modals.txtWidth": "Bredde", "DE.Controllers.ApplicationController.criticalErrorTitle": "Feil", "DE.Controllers.ApplicationController.downloadErrorText": "Nedlasting feilet.", "DE.Controllers.ApplicationController.errorDefaultMessage": "Feilkode: %1", @@ -15,5 +11,6 @@ "DE.Controllers.ApplicationController.waitText": "Vennligst vent...", "DE.Views.ApplicationView.txtDownload": "Last ned", "DE.Views.ApplicationView.txtFullScreen": "Fullskjerm", + "DE.Views.ApplicationView.txtPrint": "Skriv ut", "DE.Views.ApplicationView.txtShare": "Del" } \ No newline at end of file diff --git a/apps/documenteditor/forms/locale/nl.json b/apps/documenteditor/forms/locale/nl.json index 447feb1d5..6873a0b9c 100644 --- a/apps/documenteditor/forms/locale/nl.json +++ b/apps/documenteditor/forms/locale/nl.json @@ -154,7 +154,7 @@ "DE.Views.ApplicationView.textSubmit": "Indienen", "DE.Views.ApplicationView.textUndo": "Ongedaan maken", "DE.Views.ApplicationView.txtDarkMode": "Donkere modus", - "DE.Views.ApplicationView.txtDownload": "Downloaden", + "DE.Views.ApplicationView.txtDownload": "Download", "DE.Views.ApplicationView.txtDownloadDocx": "Downloaden als docx", "DE.Views.ApplicationView.txtDownloadPdf": "Downloaden als PDF", "DE.Views.ApplicationView.txtEmbed": "Insluiten", diff --git a/apps/documenteditor/forms/locale/pl.json b/apps/documenteditor/forms/locale/pl.json index 1c86ff508..fb68c50d8 100644 --- a/apps/documenteditor/forms/locale/pl.json +++ b/apps/documenteditor/forms/locale/pl.json @@ -21,6 +21,7 @@ "DE.Controllers.ApplicationController.textLoadingDocument": "Wgrywanie dokumentu", "DE.Controllers.ApplicationController.textOf": "z", "DE.Controllers.ApplicationController.textRequired": "Wypełnij wszystkie wymagane pola, aby wysłać formularz.", + "DE.Controllers.ApplicationController.textSaveAs": "Zapisz jako PDF", "DE.Controllers.ApplicationController.textSubmited": "Formularz załączony poprawnie
Kliknij aby zamknąć podpowiedź.", "DE.Controllers.ApplicationController.txtClose": "Zamknij", "DE.Controllers.ApplicationController.txtEmpty": "(Pusty)", @@ -28,6 +29,8 @@ "DE.Controllers.ApplicationController.unknownErrorText": "Nieznany błąd.", "DE.Controllers.ApplicationController.unsupportedBrowserErrorText": "Twoja przeglądarka nie jest wspierana.", "DE.Controllers.ApplicationController.waitText": "Proszę czekać...", + "DE.Views.ApplicationView.textClear": "Wyczyść wszystkie pola", + "DE.Views.ApplicationView.textNext": "Następne pole", "DE.Views.ApplicationView.txtDownload": "Pobierz", "DE.Views.ApplicationView.txtDownloadDocx": "Pobierz jako docx", "DE.Views.ApplicationView.txtDownloadPdf": "Pobierz jako pdf", diff --git a/apps/documenteditor/forms/locale/pt.json b/apps/documenteditor/forms/locale/pt.json index b08cf9f4d..494cee5c1 100644 --- a/apps/documenteditor/forms/locale/pt.json +++ b/apps/documenteditor/forms/locale/pt.json @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "Salvar como PDF", "DE.Controllers.ApplicationController.textSaveAsDesktop": "Salvar como...", "DE.Controllers.ApplicationController.textSubmited": " Formulário enviado com sucesso
Clique para fechar a dica", + "DE.Controllers.ApplicationController.titleLicenseExp": "A licença expirou", "DE.Controllers.ApplicationController.titleServerVersion": "Editor atualizado", "DE.Controllers.ApplicationController.titleUpdateVersion": "Versão alterada", "DE.Controllers.ApplicationController.txtArt": "Seu texto aqui", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido. O tamanho máximo é de 25 MB.", "DE.Controllers.ApplicationController.waitText": "Por favor, aguarde...", "DE.Controllers.ApplicationController.warnLicenseExceeded": "Você atingiu o limite de conexões simultâneas para editores %1. Este documento será aberto apenas para visualização.
Entre em contato com seu administrador para saber mais.", + "DE.Controllers.ApplicationController.warnLicenseExp": "Sua licença expirou.
Atualize sua licença e refresque a página.", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "A licença expirou.
Você não tem acesso à funcionalidade de edição de documentos.
Por favor, contate seu administrador.", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "A licença precisa ser renovada.
Você tem acesso limitado à funcionalidade de edição de documentos.
Entre em contato com o administrador para obter acesso total.", "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Você atingiu o limite de usuários para editores %1. Entre em contato com seu administrador para saber mais.", diff --git a/apps/documenteditor/forms/locale/ro.json b/apps/documenteditor/forms/locale/ro.json index 9587372fa..667cb9c0e 100644 --- a/apps/documenteditor/forms/locale/ro.json +++ b/apps/documenteditor/forms/locale/ro.json @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "Salvare ca PDF", "DE.Controllers.ApplicationController.textSaveAsDesktop": "Salvare ca...", "DE.Controllers.ApplicationController.textSubmited": "Formularul a fost remis cu succes
Faceţi clic pentru a închide sfatul", + "DE.Controllers.ApplicationController.titleLicenseExp": "Licența a expirat", "DE.Controllers.ApplicationController.titleServerVersion": "Editorul a fost actualizat", "DE.Controllers.ApplicationController.titleUpdateVersion": "Versiunea s-a modificat", "DE.Controllers.ApplicationController.txtArt": "Textul dvs. aici", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "Imaginea este prea mare. Limita de dimensiune este de 25 MB.", "DE.Controllers.ApplicationController.waitText": "Vă rugăm să așteptați...", "DE.Controllers.ApplicationController.warnLicenseExceeded": "Ați atins numărul maxim de conexiuni simultane la %1 de editoare. Documentul este disponibil numai pentru vizualizare.
Pentru detalii, contactați administratorul dvs.", + "DE.Controllers.ApplicationController.warnLicenseExp": "Licența dvs. a expirat.
Licența urmează să fie reînnoită iar pagina reîmprospătată.", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "Licența dvs. a expirat.
Nu aveți acces la funcții de editare a documentului.
Contactați administratorul dvs. de rețeea.", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "Licență urmează să fie reînnoită.
Funcțiile de editare sunt cu acces limitat.
Pentru a obține acces nelimitat, contactați administratorul dvs. de rețea.", "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Ați atins numărul maxim de utilizatori ai %1 editoare. Pentru detalii, contactați administratorul dvs.", @@ -147,12 +149,15 @@ "DE.Views.ApplicationView.textClear": "Goleşte toate câmpurile", "DE.Views.ApplicationView.textCopy": "Copiere", "DE.Views.ApplicationView.textCut": "Decupare", + "DE.Views.ApplicationView.textFitToPage": "Portivire la pagina", + "DE.Views.ApplicationView.textFitToWidth": "Potrivire lățime", "DE.Views.ApplicationView.textNext": "Câmpul următor", "DE.Views.ApplicationView.textPaste": "Lipire", "DE.Views.ApplicationView.textPrintSel": "Imprimare selecție", "DE.Views.ApplicationView.textRedo": "Refacere", "DE.Views.ApplicationView.textSubmit": "Remitere", "DE.Views.ApplicationView.textUndo": "Anulează", + "DE.Views.ApplicationView.textZoom": "Zoom", "DE.Views.ApplicationView.txtDarkMode": "Modul Întunecat", "DE.Views.ApplicationView.txtDownload": "Descărcare", "DE.Views.ApplicationView.txtDownloadDocx": "Descărcare ca docx", diff --git a/apps/documenteditor/forms/locale/ru.json b/apps/documenteditor/forms/locale/ru.json index 7c0b40bf2..492751acc 100644 --- a/apps/documenteditor/forms/locale/ru.json +++ b/apps/documenteditor/forms/locale/ru.json @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "Сохранить как PDF", "DE.Controllers.ApplicationController.textSaveAsDesktop": "Сохранить как...", "DE.Controllers.ApplicationController.textSubmited": "Форма успешно отправлена
Нажмите, чтобы закрыть подсказку", + "DE.Controllers.ApplicationController.titleLicenseExp": "Истек срок действия лицензии", "DE.Controllers.ApplicationController.titleServerVersion": "Редактор обновлен", "DE.Controllers.ApplicationController.titleUpdateVersion": "Версия изменилась", "DE.Controllers.ApplicationController.txtArt": "Введите ваш текст", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "Слишком большое изображение. Максимальный размер - 25 MB.", "DE.Controllers.ApplicationController.waitText": "Пожалуйста, подождите...", "DE.Controllers.ApplicationController.warnLicenseExceeded": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт только на просмотр.
Свяжитесь с администратором, чтобы узнать больше.", + "DE.Controllers.ApplicationController.warnLicenseExp": "Истек срок действия лицензии.
Обновите лицензию, а затем обновите страницу.", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "Истек срок действия лицензии.
Нет доступа к функциональности редактирования документов.
Пожалуйста, обратитесь к администратору.", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "Необходимо обновить лицензию.
У вас ограниченный доступ к функциональности редактирования документов.
Пожалуйста, обратитесь к администратору, чтобы получить полный доступ", "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Вы достигли лимита на количество пользователей редакторов %1. Свяжитесь с администратором, чтобы узнать больше.", @@ -155,6 +157,7 @@ "DE.Views.ApplicationView.textRedo": "Повторить", "DE.Views.ApplicationView.textSubmit": "Отправить", "DE.Views.ApplicationView.textUndo": "Отменить", + "DE.Views.ApplicationView.textZoom": "Масштаб", "DE.Views.ApplicationView.txtDarkMode": "Темный режим", "DE.Views.ApplicationView.txtDownload": "Скачать файл", "DE.Views.ApplicationView.txtDownloadDocx": "Скачать как docx", diff --git a/apps/documenteditor/forms/locale/sk.json b/apps/documenteditor/forms/locale/sk.json index fb9108aaa..f1e44ff33 100644 --- a/apps/documenteditor/forms/locale/sk.json +++ b/apps/documenteditor/forms/locale/sk.json @@ -28,6 +28,7 @@ "DE.Controllers.ApplicationController.textNoLicenseTitle": "Bol dosiahnutý limit licencie", "DE.Controllers.ApplicationController.textOf": "z", "DE.Controllers.ApplicationController.textRequired": "Vyplňte všetky požadované polia, aby ste formulár mohli odoslať.", + "DE.Controllers.ApplicationController.textSaveAs": "Uložiť ako PDF", "DE.Controllers.ApplicationController.textSubmited": "Formulár bol úspešne predložený
Kliknite, aby ste tip zatvorili", "DE.Controllers.ApplicationController.titleServerVersion": "Editor bol aktualizovaný", "DE.Controllers.ApplicationController.titleUpdateVersion": "Verzia bola zmenená", diff --git a/apps/documenteditor/forms/locale/sl.json b/apps/documenteditor/forms/locale/sl.json index 13479c7e5..759e4c24b 100644 --- a/apps/documenteditor/forms/locale/sl.json +++ b/apps/documenteditor/forms/locale/sl.json @@ -16,11 +16,14 @@ "DE.Controllers.ApplicationController.scriptLoadError": "Povezava je počasna, nekatere komponente niso pravilno naložene.Prosimo osvežite stran.", "DE.Controllers.ApplicationController.textLoadingDocument": "Nalaganje dokumenta", "DE.Controllers.ApplicationController.textOf": "od", + "DE.Controllers.ApplicationController.textSaveAs": "Shrani kot PDF", "DE.Controllers.ApplicationController.textSubmited": "Obrazec poslan uspešno
Pritisnite tukaj za zaprtje obvestila", "DE.Controllers.ApplicationController.txtClose": "Zapri", "DE.Controllers.ApplicationController.unknownErrorText": "Neznana napaka.", "DE.Controllers.ApplicationController.unsupportedBrowserErrorText": "Vaš brskalnik ni podprt.", "DE.Controllers.ApplicationController.waitText": "Prosimo počakajte ...", + "DE.Views.ApplicationView.textClear": "Počisti vsa polja", + "DE.Views.ApplicationView.textNext": "Naslednje polje", "DE.Views.ApplicationView.txtDownload": "Prenesi", "DE.Views.ApplicationView.txtDownloadDocx": "Prenesi kot DOCX", "DE.Views.ApplicationView.txtDownloadPdf": "Prenesi kot PDF", diff --git a/apps/documenteditor/forms/locale/sv.json b/apps/documenteditor/forms/locale/sv.json index 79af15578..0bd22bb18 100644 --- a/apps/documenteditor/forms/locale/sv.json +++ b/apps/documenteditor/forms/locale/sv.json @@ -1,30 +1,164 @@ { + "Common.UI.Calendar.textApril": "April", + "Common.UI.Calendar.textAugust": "Augusti", + "Common.UI.Calendar.textDecember": "December", + "Common.UI.Calendar.textFebruary": "Februari", + "Common.UI.Calendar.textJanuary": "Januari", + "Common.UI.Calendar.textJuly": "Juli", + "Common.UI.Calendar.textJune": "Juni", + "Common.UI.Calendar.textMarch": "Mars", + "Common.UI.Calendar.textMay": "Maj", + "Common.UI.Calendar.textMonths": "Månader", + "Common.UI.Calendar.textNovember": "November", + "Common.UI.Calendar.textOctober": "Oktober", + "Common.UI.Calendar.textSeptember": "September", + "Common.UI.Calendar.textShortApril": "Apr", + "Common.UI.Calendar.textShortAugust": "Aug", + "Common.UI.Calendar.textShortDecember": "Dec", + "Common.UI.Calendar.textShortFebruary": "Feb", + "Common.UI.Calendar.textShortFriday": "Fre", + "Common.UI.Calendar.textShortJanuary": "Jan", + "Common.UI.Calendar.textShortJuly": "Jul", + "Common.UI.Calendar.textShortJune": "Jun", + "Common.UI.Calendar.textShortMarch": "Mar", + "Common.UI.Calendar.textShortMay": "Maj", + "Common.UI.Calendar.textShortMonday": "Mån", + "Common.UI.Calendar.textShortNovember": "Nov", + "Common.UI.Calendar.textShortOctober": "Okt", + "Common.UI.Calendar.textShortSaturday": "Lör", + "Common.UI.Calendar.textShortSeptember": "Sep", + "Common.UI.Calendar.textShortSunday": "Sön", + "Common.UI.Calendar.textShortThursday": "Tor", + "Common.UI.Calendar.textShortTuesday": "Tis", + "Common.UI.Calendar.textShortWednesday": "Ons", + "Common.UI.Calendar.textYears": "år", + "Common.UI.Themes.txtThemeClassicLight": "Classic Light", + "Common.UI.Themes.txtThemeDark": "Mörk", + "Common.UI.Themes.txtThemeLight": "Ljus", + "Common.UI.Window.cancelButtonText": "Avbryt", + "Common.UI.Window.closeButtonText": "Stäng", + "Common.UI.Window.noButtonText": "Nov", + "Common.UI.Window.okButtonText": "OK", + "Common.UI.Window.textConfirmation": "Bekräftelse", + "Common.UI.Window.textDontShow": "Visa inte detta meddelande igen", + "Common.UI.Window.textError": "Fel", + "Common.UI.Window.textInformation": "Information", + "Common.UI.Window.textWarning": "Varning", + "Common.UI.Window.yesButtonText": "Ja", + "Common.Views.CopyWarningDialog.textDontShow": "Visa inte detta meddelande igen", + "Common.Views.CopyWarningDialog.textMsg": "Kopiera, klipp ut och klistra in åtgärder genom att använda kontext menyns åtgärder görs endast i fliken redigera.

För att kopiera eller klistra in till och ifrån applikationer utanför fliken redigera så använd följande tangentbordskombinationer:", + "Common.Views.CopyWarningDialog.textTitle": "Kopiera, klipp ut och klistra in åtgärder", + "Common.Views.CopyWarningDialog.textToCopy": "till kopia", + "Common.Views.CopyWarningDialog.textToCut": "till urklipp", + "Common.Views.CopyWarningDialog.textToPaste": "till klistra in", + "Common.Views.EmbedDialog.textHeight": "Höjd", + "Common.Views.EmbedDialog.textTitle": "Inbäddad", + "Common.Views.EmbedDialog.textWidth": "Bredd", + "Common.Views.EmbedDialog.txtCopy": "Kopiera till utklipp", + "Common.Views.EmbedDialog.warnCopy": "Webbläsarfel! Använd kortkommandot [CTRL] + [C]", + "Common.Views.ImageFromUrlDialog.textUrl": "Klistra in bildens URL:", + "Common.Views.ImageFromUrlDialog.txtEmpty": "Detta fält är obligatoriskt", + "Common.Views.ImageFromUrlDialog.txtNotUrl": "Detta fält bör vara en URL i formatet \"http://www.example.com\"", + "Common.Views.OpenDialog.closeButtonText": "Stäng fil", + "Common.Views.OpenDialog.txtEncoding": "Kodning", + "Common.Views.OpenDialog.txtIncorrectPwd": "Felaktigt lösenord.", + "Common.Views.OpenDialog.txtOpenFile": "Ange lösenord för att öppna filen", + "Common.Views.OpenDialog.txtPassword": "Lösenord", + "Common.Views.OpenDialog.txtPreview": "Förhandsgranska", + "Common.Views.OpenDialog.txtProtected": "När du har angett lösenordet och öppnat filen återställs filens lösenord.", + "Common.Views.OpenDialog.txtTitle": "Välj alternativet %1", + "Common.Views.OpenDialog.txtTitleProtected": "Skyddad fil", + "Common.Views.SaveAsDlg.textLoading": "Laddar", + "Common.Views.SaveAsDlg.textTitle": "Mapp att spara i", + "Common.Views.SelectFileDlg.textLoading": "Laddar", + "Common.Views.SelectFileDlg.textTitle": "Välj datakälla", + "Common.Views.ShareDialog.textTitle": "Dela länk", + "Common.Views.ShareDialog.txtCopy": "Kopiera till utklipp", + "Common.Views.ShareDialog.warnCopy": "Webbläsarfel! Använd kortkommandot [CTRL] + [C]", "DE.Controllers.ApplicationController.convertationErrorText": "Fel vid konvertering", "DE.Controllers.ApplicationController.convertationTimeoutText": "Konverteringstiden har överskridits.", "DE.Controllers.ApplicationController.criticalErrorTitle": "Fel", "DE.Controllers.ApplicationController.downloadErrorText": "Nedladdning misslyckades", "DE.Controllers.ApplicationController.downloadTextText": "Laddar ner dokumentet...", "DE.Controllers.ApplicationController.errorAccessDeny": "Du försöker utföra en åtgärd som du inte har rättighet till.
Vänligen kontakta din systemadministratör.", + "DE.Controllers.ApplicationController.errorBadImageUrl": "Bildens URL är felaktig", + "DE.Controllers.ApplicationController.errorConnectToServer": "Dokumentet kunde inte sparas. Kontrollera anslutningsinställningarna eller kontakta administratören.
När du klickar på \"OK\"-knappen kommer du att bli ombedd att ladda ner dokumentet.", + "DE.Controllers.ApplicationController.errorDataEncrypted": "Krypterade ändringar har tagits emot, de kan inte avkodas.", "DE.Controllers.ApplicationController.errorDefaultMessage": "Felkod: %1", "DE.Controllers.ApplicationController.errorEditingDownloadas": "Ett fel har inträffat.
Använd \"Ladda ned som...\" för att spara en säkerhetskopia på din dator.", + "DE.Controllers.ApplicationController.errorEditingSaveas": "Ett fel inträffade under arbetet med dokumentet.
Använd \"Spara som...\" för att spara en säkerhetskopia på din dator.", "DE.Controllers.ApplicationController.errorFilePassProtect": "Dokumentet är lösenordsskyddat och kunde inte öppnas. ", "DE.Controllers.ApplicationController.errorFileSizeExceed": "Filstorleken överskrider gränsen för din server.
Var snäll och kontakta administratören för dokumentservern för mer information.", + "DE.Controllers.ApplicationController.errorForceSave": "Ett fel uppstod när filen sparades. Vänligen använd alternativet \"Ladda ner som\" för att spara filen till din dator eller försök igen senare.", + "DE.Controllers.ApplicationController.errorLoadingFont": "Typsnittet är inte tillgängligt.
Vänligen kontakta dokumentserverns administratör.", + "DE.Controllers.ApplicationController.errorServerVersion": "Redigerarens version har uppdaterats. Sidan kommer att laddas om för att verkställa ändringarna.", + "DE.Controllers.ApplicationController.errorSessionAbsolute": "Dokumentets redigeringssession har löpt ut. Vänligen ladda om sidan.", + "DE.Controllers.ApplicationController.errorSessionIdle": "Dokumentet har inte redigerats under en längre tid. Vänligen att ladda om sidan.", + "DE.Controllers.ApplicationController.errorSessionToken": "Anslutningen till servern har avbrutits. Vänligen ladda om sidan.", "DE.Controllers.ApplicationController.errorSubmit": "Gick ej att verkställa.", + "DE.Controllers.ApplicationController.errorToken": "Dokumentets säkerhetstoken är inte korrekt.
Vänligen kontakta din dokumentservers administratör.", + "DE.Controllers.ApplicationController.errorTokenExpire": "Dokumentets säkerhetstoken har upphört att gälla.
Vänligen kontakta dokumentserverns administratör.", + "DE.Controllers.ApplicationController.errorUpdateVersion": "Denna version av filen har ändrats. Sidan kommer att laddas om.", "DE.Controllers.ApplicationController.errorUpdateVersionOnDisconnect": "Internetanslutningen har återställts och filversionen har ändrats.
Innan du fortsätter arbeta, ladda ner filen eller kopiera innehållet för att försäkra dig om att inte förlora något, ladda sedan om denna sida.", "DE.Controllers.ApplicationController.errorUserDrop": "Filen kan inte nås för tillfället. ", + "DE.Controllers.ApplicationController.errorViewerDisconnect": "Anslutningen avbröts. Du kan fortfarande se dokumentet,
men du kommer inte att kunna ladda ner eller skriva ut det innan anslutningen är återställd och sidan har laddats om.", + "DE.Controllers.ApplicationController.mniImageFromFile": "Bild från fil", + "DE.Controllers.ApplicationController.mniImageFromStorage": "Bild från lagringsmedia", + "DE.Controllers.ApplicationController.mniImageFromUrl": "Bild från URL", "DE.Controllers.ApplicationController.notcriticalErrorTitle": "Varning", + "DE.Controllers.ApplicationController.openErrorText": "Ett fel uppstod vid öppnandet av filen.", + "DE.Controllers.ApplicationController.saveErrorText": "Ett fel uppstod när filen sparades.", + "DE.Controllers.ApplicationController.saveErrorTextDesktop": "Denna filen kan inte sparas eller skapas.
Möjliga orsaker är:
1. Filen är skrivskyddad.
2. Filen redigeras av andra användare.
3. Disken är full eller skadad.", "DE.Controllers.ApplicationController.scriptLoadError": "Anslutningen är för långsam, vissa av komponenterna kunde inte laddas. Vänligen ladda om sidan.", "DE.Controllers.ApplicationController.textAnonymous": "Anonym", + "DE.Controllers.ApplicationController.textBuyNow": "Besök webbplats", + "DE.Controllers.ApplicationController.textCloseTip": "Klicka för att stänga tipset.", + "DE.Controllers.ApplicationController.textContactUs": "Kontakta försäljningen", "DE.Controllers.ApplicationController.textGotIt": "Ok!", "DE.Controllers.ApplicationController.textGuest": "Gäst", "DE.Controllers.ApplicationController.textLoadingDocument": "Laddar dokument", + "DE.Controllers.ApplicationController.textNoLicenseTitle": "Licensens gräns är nådd", "DE.Controllers.ApplicationController.textOf": "av", "DE.Controllers.ApplicationController.textRequired": "Fyll i alla fält för att skicka formulär.", + "DE.Controllers.ApplicationController.textSaveAs": "Spara som PDF", + "DE.Controllers.ApplicationController.textSaveAsDesktop": "Spara som...", "DE.Controllers.ApplicationController.textSubmited": " Formulär skickat
Klicka för att stänga tipset", + "DE.Controllers.ApplicationController.titleLicenseExp": "Licensen har upphört att gälla", + "DE.Controllers.ApplicationController.titleServerVersion": "Redigeraren är uppdaterad", + "DE.Controllers.ApplicationController.titleUpdateVersion": "Versionen ändrad", + "DE.Controllers.ApplicationController.txtArt": "Din text här", + "DE.Controllers.ApplicationController.txtChoose": "Välj ett objekt", + "DE.Controllers.ApplicationController.txtClickToLoad": "Klicka för att ladda bilden", "DE.Controllers.ApplicationController.txtClose": "Stäng", + "DE.Controllers.ApplicationController.txtEmpty": "(Tom)", + "DE.Controllers.ApplicationController.txtEnterDate": "Ange ett datum", + "DE.Controllers.ApplicationController.txtPressLink": "Tryck på CTRL och klicka på länken", + "DE.Controllers.ApplicationController.txtUntitled": "Namnlös", "DE.Controllers.ApplicationController.unknownErrorText": "Okänt fel.", "DE.Controllers.ApplicationController.unsupportedBrowserErrorText": "Din webbläsare stöds ej.", + "DE.Controllers.ApplicationController.uploadImageExtMessage": "Okänt bildformat.", + "DE.Controllers.ApplicationController.uploadImageSizeMessage": "Bilden är för stor. Den maximala storleken är 25 MB.", "DE.Controllers.ApplicationController.waitText": "Var snäll och vänta...", + "DE.Controllers.ApplicationController.warnLicenseExceeded": "Gränsen är nådd för antalet %1 samtidiga anslutna redigerare. Dokumentet öppnas som skrivskyddat.
Kontakta administratören för mer information.", + "DE.Controllers.ApplicationController.warnLicenseExp": "Din licens har upphört att gälla.
Vänligen förnya din licens och uppdatera sidan.", + "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "Licensen har upphört att gälla.
Redigeringsfunktionerna är inte tillgängliga.
Vänligen kontakta din administratör.", + "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "Licensen måste förnyas.
Endast begränsad redigeringsfunktionalitet.
Vänligen kontakta din administratör för att få full funktionalitet.", + "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Gränsen är nådd för antalet %1 redigerare.
Kontakta administratören för mer information.", + "DE.Controllers.ApplicationController.warnNoLicense": "Gränsen är nådd för antalet %1 samtidiga anslutna redigerare. Dokumentet öppnas som skrivskyddat.
Kontakta %1 försäljningsteamet för personliga uppgraderings villkor.", + "DE.Controllers.ApplicationController.warnNoLicenseUsers": "Gränsen är nådd för antalet %1 redigerare.
Kontakta %1 försäljningsteamet för personliga uppgraderings villkor.", + "DE.Views.ApplicationView.textClear": "Rensa fält", + "DE.Views.ApplicationView.textCopy": "Kopiera", + "DE.Views.ApplicationView.textCut": "Klipp ut", + "DE.Views.ApplicationView.textFitToPage": "Anpassa till sidan", + "DE.Views.ApplicationView.textFitToWidth": "Anpassa till bredden", + "DE.Views.ApplicationView.textNext": "Nästa fält", + "DE.Views.ApplicationView.textPaste": "Klistra in", + "DE.Views.ApplicationView.textPrintSel": "Skriv ut markering", + "DE.Views.ApplicationView.textRedo": "Gör om", + "DE.Views.ApplicationView.textSubmit": "Skicka", + "DE.Views.ApplicationView.textUndo": "Ångra", + "DE.Views.ApplicationView.textZoom": "Förstoring", + "DE.Views.ApplicationView.txtDarkMode": "Mörkt läge", "DE.Views.ApplicationView.txtDownload": "Ladda ner", "DE.Views.ApplicationView.txtDownloadDocx": "Ladda ner som docx", "DE.Views.ApplicationView.txtDownloadPdf": "Ladda ner som pdf", @@ -32,5 +166,6 @@ "DE.Views.ApplicationView.txtFileLocation": "Gå till filens plats", "DE.Views.ApplicationView.txtFullScreen": "Fullskärm", "DE.Views.ApplicationView.txtPrint": "Skriva ut", - "DE.Views.ApplicationView.txtShare": "Dela" + "DE.Views.ApplicationView.txtShare": "Dela", + "DE.Views.ApplicationView.txtTheme": "Gränssnittstema" } \ No newline at end of file diff --git a/apps/documenteditor/forms/locale/tr.json b/apps/documenteditor/forms/locale/tr.json index c317dee4a..3f4aabfcf 100644 --- a/apps/documenteditor/forms/locale/tr.json +++ b/apps/documenteditor/forms/locale/tr.json @@ -56,16 +56,20 @@ "Common.Views.EmbedDialog.textWidth": "Genişlik", "Common.Views.EmbedDialog.txtCopy": "Panoya kopyala", "Common.Views.EmbedDialog.warnCopy": "Tarayıcı hatası! [Ctrl] + [C] klavye kısayolunu kullanın", + "Common.Views.ImageFromUrlDialog.textUrl": "Resim URL'sini yapıştır:", "Common.Views.OpenDialog.closeButtonText": "Dosyayı Kapat", "Common.Views.OpenDialog.txtEncoding": "Kodlama", "Common.Views.OpenDialog.txtIncorrectPwd": "Şifre hatalı.", "Common.Views.OpenDialog.txtOpenFile": "Dosyayı Açmak için Parola Girin", "Common.Views.OpenDialog.txtPassword": "Şifre", + "Common.Views.OpenDialog.txtPreview": "Önizleme", "Common.Views.OpenDialog.txtProtected": "Şifreyi girip dosyayı açtığınızda, dosyanın mevcut şifresi sıfırlanacaktır.", "Common.Views.OpenDialog.txtTitle": "%1 seçenekleri seçin", + "Common.Views.OpenDialog.txtTitleProtected": "Korumalı Dosya", "Common.Views.SaveAsDlg.textLoading": "Yükleniyor", "Common.Views.SaveAsDlg.textTitle": "Kaydetmek için klasör", "Common.Views.SelectFileDlg.textLoading": "Yükleniyor", + "Common.Views.SelectFileDlg.textTitle": "Veri Kaynağını Seçin", "Common.Views.ShareDialog.textTitle": "Bağlantıyı Paylaş", "Common.Views.ShareDialog.txtCopy": "Panoya kopyala", "Common.Views.ShareDialog.warnCopy": "Tarayıcı hatası! [Ctrl] + [C] klavye kısayolunu kullanın", @@ -76,7 +80,7 @@ "DE.Controllers.ApplicationController.downloadTextText": "Döküman yükleniyor...", "DE.Controllers.ApplicationController.errorAccessDeny": "Hakkınız olmayan bir eylem gerçekleştirmeye çalışıyorsunuz.
Lütfen Belge Sunucu yöneticinize başvurun.", "DE.Controllers.ApplicationController.errorBadImageUrl": "Resim URL'si yanlış", - "DE.Controllers.ApplicationController.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.", + "DE.Controllers.ApplicationController.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
'Tamam' tuşuna tıkladığınızda belgeyi indirebileceksiniz.", "DE.Controllers.ApplicationController.errorDataEncrypted": "Şifreli değişiklikler alındı, deşifre edilemezler.", "DE.Controllers.ApplicationController.errorDefaultMessage": "Hata kodu: %1", "DE.Controllers.ApplicationController.errorEditingDownloadas": "Dosyayla çalışırken hata meydana geldi. 'Farklı Kaydet...' seçeneğini kullanarak dosyayı bilgisayarınıza yedekleyin.", @@ -86,6 +90,7 @@ "DE.Controllers.ApplicationController.errorForceSave": "Dosya indirilirken bir hata oluştu. Dosyayı bilgisayarınıza kaydetmek için lütfen 'Farklı Kaydet' seçeneğini kullanın veya daha sonra tekrar deneyin.", "DE.Controllers.ApplicationController.errorLoadingFont": "Yazı tipleri yüklenmedi.
Lütfen Doküman Sunucusu yöneticinize başvurun.", "DE.Controllers.ApplicationController.errorServerVersion": "Editör versiyonu güncellendi. Değişikliklerin uygulanabilmesi için sayfa yenilenecek.", + "DE.Controllers.ApplicationController.errorSessionToken": "Sunucu bağlantısı yarıda kesildi. Lütfen sayfayı yeniden yükleyin.", "DE.Controllers.ApplicationController.errorSubmit": "Kaydetme başarısız oldu.", "DE.Controllers.ApplicationController.errorTokenExpire": "Belge güvenlik belirteci süresi doldu.
Lütfen Belge Sunucusu yöneticinize başvurun.", "DE.Controllers.ApplicationController.errorUpdateVersion": "Dosya versiyonu değiştirildi. Sayfa yenilenecek.", @@ -109,7 +114,10 @@ "DE.Controllers.ApplicationController.textNoLicenseTitle": "Lisans limitine ulaşıldı.", "DE.Controllers.ApplicationController.textOf": "'in", "DE.Controllers.ApplicationController.textRequired": "Formu gönderebilmek için gerekli tüm alanları doldurun.", + "DE.Controllers.ApplicationController.textSaveAs": "PDF olarak kaydet", + "DE.Controllers.ApplicationController.textSaveAsDesktop": "Farklı kaydet", "DE.Controllers.ApplicationController.textSubmited": "Form başarılı bir şekilde kaydedildi
İpucunu kapatmak için tıklayın", + "DE.Controllers.ApplicationController.titleLicenseExp": "Lisans süresi doldu", "DE.Controllers.ApplicationController.titleServerVersion": "Editör güncellendi", "DE.Controllers.ApplicationController.titleUpdateVersion": "Versiyon değişti", "DE.Controllers.ApplicationController.txtArt": "Metni buraya giriniz", @@ -139,6 +147,7 @@ "DE.Views.ApplicationView.textNext": "Sonraki alan", "DE.Views.ApplicationView.textPaste": "Yapıştır", "DE.Views.ApplicationView.textPrintSel": "Seçimi Yazdır", + "DE.Views.ApplicationView.textRedo": "Yinele", "DE.Views.ApplicationView.textSubmit": "Kaydet", "DE.Views.ApplicationView.textUndo": "Geri Al", "DE.Views.ApplicationView.txtDarkMode": "Karanlık mod", diff --git a/apps/documenteditor/forms/locale/uk.json b/apps/documenteditor/forms/locale/uk.json index 5ae445332..eaac1f18c 100644 --- a/apps/documenteditor/forms/locale/uk.json +++ b/apps/documenteditor/forms/locale/uk.json @@ -1,25 +1,171 @@ { - "DE.Controllers.ApplicationController.convertationErrorText": "Не вдалося поспілкуватися.", - "DE.Controllers.ApplicationController.convertationTimeoutText": "Термін переходу перевищено.", + "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": "Квіт", + "Common.UI.Calendar.textShortAugust": "Серп", + "Common.UI.Calendar.textShortDecember": "Груд", + "Common.UI.Calendar.textShortFebruary": "Лют", + "Common.UI.Calendar.textShortFriday": "Пт", + "Common.UI.Calendar.textShortJanuary": "Січ", + "Common.UI.Calendar.textShortJuly": "Лип", + "Common.UI.Calendar.textShortJune": "Чер", + "Common.UI.Calendar.textShortMarch": "Бер", + "Common.UI.Calendar.textShortMay": "Травень", + "Common.UI.Calendar.textShortMonday": "Пн", + "Common.UI.Calendar.textShortNovember": "Лис", + "Common.UI.Calendar.textShortOctober": "Жов", + "Common.UI.Calendar.textShortSaturday": "Сб", + "Common.UI.Calendar.textShortSeptember": "Вер", + "Common.UI.Calendar.textShortSunday": "Нд", + "Common.UI.Calendar.textShortThursday": "Чт", + "Common.UI.Calendar.textShortTuesday": "Вт", + "Common.UI.Calendar.textShortWednesday": "Ср", + "Common.UI.Calendar.textYears": "Роки", + "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": "OК", + "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.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.EmbedDialog.textHeight": "Висота", + "Common.Views.EmbedDialog.textTitle": "Вбудувати", + "Common.Views.EmbedDialog.textWidth": "Ширина", + "Common.Views.EmbedDialog.txtCopy": "Копіювати в буфер обміну", + "Common.Views.EmbedDialog.warnCopy": "Помилка браузера! Використовуйте комбінацію клавіш [Ctrl] + [C]", + "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.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.SaveAsDlg.textLoading": "Завантаження", + "Common.Views.SaveAsDlg.textTitle": "Каталог для збереження", + "Common.Views.SelectFileDlg.textLoading": "Завантаження", + "Common.Views.SelectFileDlg.textTitle": "Вибрати джерело даних", + "Common.Views.ShareDialog.textTitle": "Поділитися посиланням", + "Common.Views.ShareDialog.txtCopy": "Копіювати в буфер обміну", + "Common.Views.ShareDialog.warnCopy": "Помилка браузера! Використовуйте комбінацію клавіш [Ctrl] + [C]", + "DE.Controllers.ApplicationController.convertationErrorText": "Не вдалося конвертувати", + "DE.Controllers.ApplicationController.convertationTimeoutText": "Перевищено час очікування конверсії.", "DE.Controllers.ApplicationController.criticalErrorTitle": "Помилка", "DE.Controllers.ApplicationController.downloadErrorText": "Завантаження не вдалося", "DE.Controllers.ApplicationController.downloadTextText": "Завантаження документу...", "DE.Controllers.ApplicationController.errorAccessDeny": "Ви намагаєтеся виконати дію, на яку у вас немає прав.
Будь ласка, зв'яжіться з адміністратором вашого Сервера документів.", + "DE.Controllers.ApplicationController.errorBadImageUrl": "Неправильна URL-адреса зображення", + "DE.Controllers.ApplicationController.errorConnectToServer": "Неможливо зберегти документ. Перевірте параметри підключення або зверніться до адміністратора.
Коли ви натиснете на кнопку 'OK', вам буде запропоновано завантажити документ.", + "DE.Controllers.ApplicationController.errorDataEncrypted": "Отримані зашифровані зміни, їх неможливо розшифрувати.", "DE.Controllers.ApplicationController.errorDefaultMessage": "Код помилки: %1", + "DE.Controllers.ApplicationController.errorEditingDownloadas": "Під час роботи з документом сталася помилка.
Використовуйте опцію 'Завантажити як...', щоб зберегти резервну копію файлу на жорсткий диск комп'ютера.", + "DE.Controllers.ApplicationController.errorEditingSaveas": "Під час роботи з документом сталася помилка.
Використовуйте опцію 'Зберегти як...', щоб зберегти резервну копію файлу на жорсткий диск комп'ютера.", "DE.Controllers.ApplicationController.errorFilePassProtect": "Документ захищений паролем і його неможливо відкрити.", "DE.Controllers.ApplicationController.errorFileSizeExceed": "Розмір файлу перевищує обмеження, встановлені для вашого сервера.
Для детальної інформації зверніться до адміністратора сервера документів.", + "DE.Controllers.ApplicationController.errorForceSave": "Під час збереження файлу сталася помилка.
Використовуйте опцію 'Завантажити як...', щоб зберегти файл на жорсткий диск комп'ютера або спробуйте пізніше.", + "DE.Controllers.ApplicationController.errorLoadingFont": "Шрифти не завантажені.
Будь ласка, зверніться до адміністратора Сервера документів.", + "DE.Controllers.ApplicationController.errorServerVersion": "Версія редактора була оновлена. Сторінка буде перезавантажена, щоб застосувати зміни.", + "DE.Controllers.ApplicationController.errorSessionAbsolute": "Сесія редагування документа закінчилася. Будь ласка, перезавантажте сторінку.", + "DE.Controllers.ApplicationController.errorSessionIdle": "Документ тривалий час не редагувався. Перезавантажте сторінку.", + "DE.Controllers.ApplicationController.errorSessionToken": "З'єднання з сервером було перервано. Перезавантажте сторінку", + "DE.Controllers.ApplicationController.errorSubmit": "Не вдалося відправити.", + "DE.Controllers.ApplicationController.errorToken": "Токен безпеки документа має неправильний формат.
Будь ласка, зверніться до адміністратора Сервера документів.", + "DE.Controllers.ApplicationController.errorTokenExpire": "Термін дії токену безпеки документа закінчився.
Будь ласка, зв'яжіться з адміністратором сервера документів.", + "DE.Controllers.ApplicationController.errorUpdateVersion": "Версія файлу була змінена. Сторінка буде перезавантажена.", "DE.Controllers.ApplicationController.errorUpdateVersionOnDisconnect": "Підключення до Інтернету було відновлено, а версія файлу змінена.
Перш ніж продовжувати роботу, потрібно завантажити файл або скопіювати його вміст, щоб переконатися, що нічого не втрачено, а потім перезавантажити цю сторінку.", "DE.Controllers.ApplicationController.errorUserDrop": "На даний момент файл не доступний.", + "DE.Controllers.ApplicationController.errorViewerDisconnect": "Підключення втрачено. Ви, як і раніше, можете переглядати документ,
але не зможете звантажити або надрукувати його до відновлення підключення та оновлення сторінки.", + "DE.Controllers.ApplicationController.mniImageFromFile": "Зображення з файлу", + "DE.Controllers.ApplicationController.mniImageFromStorage": "Зображення зі сховища", + "DE.Controllers.ApplicationController.mniImageFromUrl": "Зображення з URL", "DE.Controllers.ApplicationController.notcriticalErrorTitle": "Застереження", + "DE.Controllers.ApplicationController.openErrorText": "Під час відкриття файлу сталася помилка.", + "DE.Controllers.ApplicationController.saveErrorText": "Під час збереження файлу сталася помилка.", + "DE.Controllers.ApplicationController.saveErrorTextDesktop": "Неможливо зберегти або створити цей файл.
Можливі причини:
1. Файл доступний лише для читання.
2. Файл редагується іншими користувачами.
3. Диск заповнено або пошкоджено.", "DE.Controllers.ApplicationController.scriptLoadError": "З'єднання занадто повільне, деякі компоненти не вдалося завантажити. Перезавантажте сторінку.", + "DE.Controllers.ApplicationController.textAnonymous": "Анонімний користувач", + "DE.Controllers.ApplicationController.textBuyNow": "Перейти на сайт", + "DE.Controllers.ApplicationController.textCloseTip": "Натисніть, щоб закрити підказку.", + "DE.Controllers.ApplicationController.textContactUs": "Зв'язатися з відділом продажів", + "DE.Controllers.ApplicationController.textGotIt": "ОК", + "DE.Controllers.ApplicationController.textGuest": "Гість", "DE.Controllers.ApplicationController.textLoadingDocument": "Завантаження документа", + "DE.Controllers.ApplicationController.textNoLicenseTitle": "Ліцензійне обмеження", "DE.Controllers.ApplicationController.textOf": "з", + "DE.Controllers.ApplicationController.textRequired": "Заповніть всі обов'язкові поля для відправлення форми.", + "DE.Controllers.ApplicationController.textSaveAs": "Зберегти як PDF", + "DE.Controllers.ApplicationController.textSaveAsDesktop": "Зберегти як...", + "DE.Controllers.ApplicationController.textSubmited": "Форму успішно відправлено
Натисніть, щоб закрити підказку", + "DE.Controllers.ApplicationController.titleLicenseExp": "Термін дії ліцензії закінчився", + "DE.Controllers.ApplicationController.titleServerVersion": "Редактор оновлено", + "DE.Controllers.ApplicationController.titleUpdateVersion": "Версія змінилась", + "DE.Controllers.ApplicationController.txtArt": "Введіть ваш текст", + "DE.Controllers.ApplicationController.txtChoose": "Оберіть елемент", + "DE.Controllers.ApplicationController.txtClickToLoad": "Натисніть для завантаження зображення", "DE.Controllers.ApplicationController.txtClose": "Закрити", + "DE.Controllers.ApplicationController.txtEmpty": "(Пусто)", + "DE.Controllers.ApplicationController.txtEnterDate": "Введіть дату", + "DE.Controllers.ApplicationController.txtPressLink": "Натисніть CTRL та клацніть по посиланню", + "DE.Controllers.ApplicationController.txtUntitled": "Без назви", "DE.Controllers.ApplicationController.unknownErrorText": "Невідома помилка.", "DE.Controllers.ApplicationController.unsupportedBrowserErrorText": "Ваш браузер не підтримується", + "DE.Controllers.ApplicationController.uploadImageExtMessage": "Невідомий формат зображення.", + "DE.Controllers.ApplicationController.uploadImageSizeMessage": "Занадто велике зображення. Максимальний розмір – 25 MB.", "DE.Controllers.ApplicationController.waitText": "Будь ласка, зачекайте...", + "DE.Controllers.ApplicationController.warnLicenseExceeded": "Ви досягли ліміту на одночасне підключення до редакторів %1. Цей документ буде відкритий тільки на перегляд.
Зверніться до адміністратора, щоб дізнатися більше.", + "DE.Controllers.ApplicationController.warnLicenseExp": "Закінчився термін дії ліцензії.
Оновіть ліцензію, а потім оновіть сторінку.", + "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "Термін дії ліцензії закінчився.
Немає доступ до функцій редагування документів.
Будь ласка, зверніться до адміністратора.", + "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "Потрібно поновити ліцензію.
У вас обмежений доступ до функцій редагування документів.
Будь ласка, зверніться до свого адміністратора, щоб отримати повний доступ", + "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "Ви досягли ліміту на кількість користувачів редакторів %1.
Зв'яжіться з адміністратором, щоб дізнатися більше.", + "DE.Controllers.ApplicationController.warnNoLicense": "Ви досягли ліміту на одночасне підключення до редакторів %1. Цей документ буде відкрито для перегляду.
Напишіть у відділ продажу %1, щоб обговорити індивідуальні умови ліцензування.", + "DE.Controllers.ApplicationController.warnNoLicenseUsers": "Ви досягли ліміту на одночасне підключення до редакторів %1.
Напишіть у відділ продаж %1, для обговорення індивідуальних умов ліцензування.", + "DE.Views.ApplicationView.textClear": "Очистити всі поля", + "DE.Views.ApplicationView.textCopy": "Копіювати", + "DE.Views.ApplicationView.textCut": "Вирізати", + "DE.Views.ApplicationView.textFitToPage": "За розміром сторінки", + "DE.Views.ApplicationView.textFitToWidth": "По ширині", + "DE.Views.ApplicationView.textNext": "Наступне поле", + "DE.Views.ApplicationView.textPaste": "Вставити", + "DE.Views.ApplicationView.textPrintSel": "Надрукувати виділене", + "DE.Views.ApplicationView.textRedo": "Повторити", + "DE.Views.ApplicationView.textSubmit": "Відправити", + "DE.Views.ApplicationView.textUndo": "Скасувати", + "DE.Views.ApplicationView.textZoom": "Масштаб", + "DE.Views.ApplicationView.txtDarkMode": "Темний режим", "DE.Views.ApplicationView.txtDownload": "Завантажити", + "DE.Views.ApplicationView.txtDownloadDocx": "Завантажити як docx", + "DE.Views.ApplicationView.txtDownloadPdf": "Завантажити як pdf", "DE.Views.ApplicationView.txtEmbed": "Вставити", + "DE.Views.ApplicationView.txtFileLocation": "Відкрити розташування файлу", "DE.Views.ApplicationView.txtFullScreen": "Повноекранний режим", - "DE.Views.ApplicationView.txtShare": "Доступ" + "DE.Views.ApplicationView.txtPrint": "Друк", + "DE.Views.ApplicationView.txtShare": "Доступ", + "DE.Views.ApplicationView.txtTheme": "Тема інтерфейсу" } \ No newline at end of file diff --git a/apps/documenteditor/forms/locale/zh.json b/apps/documenteditor/forms/locale/zh.json index 826b6d6d0..baef73341 100644 --- a/apps/documenteditor/forms/locale/zh.json +++ b/apps/documenteditor/forms/locale/zh.json @@ -123,6 +123,7 @@ "DE.Controllers.ApplicationController.textSaveAs": "另存为PDF", "DE.Controllers.ApplicationController.textSaveAsDesktop": "另存为...", "DE.Controllers.ApplicationController.textSubmited": "表单提交成功
点击以关闭提示", + "DE.Controllers.ApplicationController.titleLicenseExp": "许可证已过期", "DE.Controllers.ApplicationController.titleServerVersion": "编辑器已更新", "DE.Controllers.ApplicationController.titleUpdateVersion": "版本已更改", "DE.Controllers.ApplicationController.txtArt": "在此输入文字", @@ -139,6 +140,7 @@ "DE.Controllers.ApplicationController.uploadImageSizeMessage": "图片太大了。最大允许的大小为 25 MB.", "DE.Controllers.ApplicationController.waitText": "请稍候...", "DE.Controllers.ApplicationController.warnLicenseExceeded": "您已达到同时连接 %1 编辑器的限制。该文档将打开以查看。
请联系管理员以了解更多。", + "DE.Controllers.ApplicationController.warnLicenseExp": "您的许可证已过期。
请更新您的许可证并刷新页面。", "DE.Controllers.ApplicationController.warnLicenseLimitedNoAccess": "许可证已过期。
您无法使用文件编辑功能。
请联系管理员。", "DE.Controllers.ApplicationController.warnLicenseLimitedRenewed": "许可证需更新。
您使用文件编辑功能限制。
请联系管理员以取得完整权限。", "DE.Controllers.ApplicationController.warnLicenseUsersExceeded": "您已达到%1编辑器的用户数量限制。请联系您的管理员以了解更多。", @@ -147,12 +149,15 @@ "DE.Views.ApplicationView.textClear": "清除所有字段", "DE.Views.ApplicationView.textCopy": "复制", "DE.Views.ApplicationView.textCut": "剪切", + "DE.Views.ApplicationView.textFitToPage": "适合页面", + "DE.Views.ApplicationView.textFitToWidth": "适合宽度", "DE.Views.ApplicationView.textNext": "下一字段", "DE.Views.ApplicationView.textPaste": "粘贴", "DE.Views.ApplicationView.textPrintSel": "打印所选内容", "DE.Views.ApplicationView.textRedo": "重做", "DE.Views.ApplicationView.textSubmit": "提交", "DE.Views.ApplicationView.textUndo": "撤消", + "DE.Views.ApplicationView.textZoom": "缩放", "DE.Views.ApplicationView.txtDarkMode": "深色模式", "DE.Views.ApplicationView.txtDownload": "下载", "DE.Views.ApplicationView.txtDownloadDocx": "下载为docx", diff --git a/apps/documenteditor/main/app/controller/FormsTab.js b/apps/documenteditor/main/app/controller/FormsTab.js index 9d907a86a..49e71d3ae 100644 --- a/apps/documenteditor/main/app/controller/FormsTab.js +++ b/apps/documenteditor/main/app/controller/FormsTab.js @@ -299,7 +299,7 @@ define([ allowMerge: false, allowSignature: false, allowProtect: false, - rightMenu: {clear: true, disable: true}, + rightMenu: {clear: disable, disable: true}, statusBar: true, leftMenu: {disable: false, previewMode: true}, fileMenu: false, diff --git a/apps/documenteditor/main/app/controller/LeftMenu.js b/apps/documenteditor/main/app/controller/LeftMenu.js index 78b980781..dc76653dc 100644 --- a/apps/documenteditor/main/app/controller/LeftMenu.js +++ b/apps/documenteditor/main/app/controller/LeftMenu.js @@ -313,7 +313,6 @@ define([ options.asc_setTextParams(textParams); if (format == Asc.c_oAscFileType.TXT || format == Asc.c_oAscFileType.RTF) { Common.UI.warning({ - closable: false, title: this.notcriticalErrorTitle, msg: (format == Asc.c_oAscFileType.TXT) ? this.warnDownloadAs : this.warnDownloadAsRTF, buttons: ['ok', 'cancel'], @@ -366,26 +365,28 @@ define([ clickSaveAsFormat: function(menu, format, ext) { // ext isn't undefined for save copy as var me = this, fileType = this.getApplication().getController('Main').document.fileType; - if ( /^pdf|xps|oxps$/.test(fileType)) { - if (format===undefined || format == Asc.c_oAscFileType.PDF || format == Asc.c_oAscFileType.PDFA || format == Asc.c_oAscFileType.XPS) + if ( /^pdf|xps|oxps|djvu$/.test(fileType)) { + if (format===undefined) { this._saveAsFormat(undefined, format, ext); // download original + menu && menu.hide(); + } else if (format == Asc.c_oAscFileType.PDF || format == Asc.c_oAscFileType.PDFA) + this._saveAsFormat(menu, format, ext); else { - (new Common.Views.OptionsDialog({ - width: 300, - title: this.titleConvertOptions, - label: this.textGroup, - items: [ - {caption: this.textChar, value: Asc.c_oAscTextAssociation.Char, checked: true}, - {caption: this.textLine, value: Asc.c_oAscTextAssociation.Line, checked: false}, - {caption: this.textParagraph, value: Asc.c_oAscTextAssociation.Block, checked: false} - ], - handler: function (dlg, result) { - if (result=='ok') { - me._saveAsFormat(menu, format, ext, new AscCommon.asc_CTextParams(dlg.getSettings())); - } - Common.NotificationCenter.trigger('edit:complete', me.toolbar); - } - })).show(); + if (format == Asc.c_oAscFileType.TXT || format == Asc.c_oAscFileType.RTF) // don't show message about pdf/xps/oxps + me._saveAsFormat(menu, format, ext, new AscCommon.asc_CTextParams(Asc.c_oAscTextAssociation.PlainLine)); + else { + Common.UI.warning({ + width: 600, + title: this.notcriticalErrorTitle, + msg: Common.Utils.String.format(this.warnDownloadAsPdf, fileType.toUpperCase()), + buttons: ['ok', 'cancel'], + callback: _.bind(function(btn){ + if (btn == 'ok') { + me._saveAsFormat(menu, format, ext, new AscCommon.asc_CTextParams(Asc.c_oAscTextAssociation.PlainLine)); + } + }, this) + }); + } } } else this._saveAsFormat(menu, format, ext); @@ -559,15 +560,15 @@ define([ onQuerySearch: function(d, w, opts) { if (opts.textsearch && opts.textsearch.length) { - if (!this.api.asc_findText(opts.textsearch, d != 'back', opts.matchcase, opts.matchword)) { - var me = this; - Common.UI.info({ - msg: this.textNoTextFound, + 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(); } }); - } + }); } }, @@ -774,6 +775,7 @@ define([ this.api.asc_enableKeyEvents(true); } else if (this.leftMenu.btnThumbnails.isActive()) { this.leftMenu.btnThumbnails.toggle(false); + this.leftMenu.panelThumbnails.hide(); this.leftMenu.onBtnMenuClick(this.leftMenu.btnThumbnails); } } @@ -925,11 +927,7 @@ define([ warnDownloadAsRTF : 'If you continue saving in this format some of the formatting might be lost.
Are you sure you want to continue?', txtUntitled: 'Untitled', txtCompatible: 'The document will be saved to the new format. It will allow to use all the editor features, but might affect the document layout.
Use the \'Compatibility\' option of the advanced settings if you want to make the files compatible with older MS Word versions.', - titleConvertOptions: 'Grouping options', - textGroup: 'Group by', - textChar: 'Char', - textLine: 'Line', - textParagraph: 'Paragraph' + 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 || {})); }); \ No newline at end of file diff --git a/apps/documenteditor/main/app/controller/Main.js b/apps/documenteditor/main/app/controller/Main.js index e80b72924..6df837de1 100644 --- a/apps/documenteditor/main/app/controller/Main.js +++ b/apps/documenteditor/main/app/controller/Main.js @@ -303,6 +303,15 @@ define([ }, 10); }); + Common.Utils.isChrome && $(document.body).on('keydown', 'textarea', function(e) {// chromium bug890248 (Bug 39614) + if (e.keyCode===Common.UI.Keys.PAGEUP || e.keyCode===Common.UI.Keys.PAGEDOWN) { + setTimeout(function(){ + $('#viewport').scrollLeft(0); + $('#viewport').scrollTop(0); + }, 0); + } + }); + Common.NotificationCenter.on({ 'modal:show': function(){ Common.Utils.ModalWindow.show(); @@ -541,32 +550,48 @@ define([ } this._state.isFromGatewayDownloadAs = true; + var _format = (format && (typeof format == 'string')) ? Asc.c_oAscFileType[ format.toUpperCase() ] : null, + _defaultFormat = null, + textParams, + _supported = [ + Asc.c_oAscFileType.TXT, + Asc.c_oAscFileType.RTF, + Asc.c_oAscFileType.ODT, + Asc.c_oAscFileType.DOCX, + Asc.c_oAscFileType.HTML, + Asc.c_oAscFileType.DOTX, + Asc.c_oAscFileType.OTT, + Asc.c_oAscFileType.FB2, + Asc.c_oAscFileType.EPUB, + Asc.c_oAscFileType.DOCM + ]; var type = /^(?:(pdf|djvu|xps|oxps))$/.exec(this.document.fileType); - if (type && typeof type[1] === 'string') - this.api.asc_DownloadOrigin(true); - else { - var _format = (format && (typeof format == 'string')) ? Asc.c_oAscFileType[ format.toUpperCase() ] : null, - _supported = [ - Asc.c_oAscFileType.TXT, - Asc.c_oAscFileType.RTF, - Asc.c_oAscFileType.ODT, - Asc.c_oAscFileType.DOCX, - Asc.c_oAscFileType.HTML, - Asc.c_oAscFileType.PDF, - Asc.c_oAscFileType.PDFA, - Asc.c_oAscFileType.DOTX, - Asc.c_oAscFileType.OTT, - Asc.c_oAscFileType.FB2, - Asc.c_oAscFileType.EPUB, - Asc.c_oAscFileType.DOCM - ]; - if (this.appOptions.canFeatureForms) { - _supported = _supported.concat([Asc.c_oAscFileType.DOCXF, Asc.c_oAscFileType.OFORM]); + if (type && typeof type[1] === 'string') { + if (!(format && (typeof format == 'string')) || type[1]===format.toLowerCase()) { + this.api.asc_DownloadOrigin(true); + return; } - - if ( !_format || _supported.indexOf(_format) < 0 ) - _format = Asc.c_oAscFileType.DOCX; - this.api.asc_DownloadAs(new Asc.asc_CDownloadOptions(_format, true)); + if (/^xps|oxps$/.test(this.document.fileType)) + _supported = _supported.concat([Asc.c_oAscFileType.PDF, Asc.c_oAscFileType.PDFA]); + else if (/^djvu$/.test(this.document.fileType)) { + _supported = [Asc.c_oAscFileType.PDF]; + } + textParams = new AscCommon.asc_CTextParams(Asc.c_oAscTextAssociation.PlainLine); + } else { + _supported = _supported.concat([Asc.c_oAscFileType.PDF, Asc.c_oAscFileType.PDFA]); + _defaultFormat = Asc.c_oAscFileType.DOCX; + } + if (this.appOptions.canFeatureForms && !/^djvu$/.test(this.document.fileType)) { + _supported = _supported.concat([Asc.c_oAscFileType.DOCXF, Asc.c_oAscFileType.OFORM]); + } + if ( !_format || _supported.indexOf(_format) < 0 ) + _format = _defaultFormat; + if (_format) { + var options = new Asc.asc_CDownloadOptions(_format, true); + textParams && options.asc_setTextParams(textParams); + this.api.asc_DownloadAs(options); + } else { + this.api.asc_DownloadOrigin(true); } }, @@ -1130,7 +1155,7 @@ define([ me.api.put_ShowTableEmptyLine((value!==null) ? eval(value) : true); // spellcheck - value = Common.UI.FeaturesManager.getInitValue('spellcheck'); + value = Common.UI.FeaturesManager.getInitValue('spellcheck', true); value = (value !== undefined) ? value : !(this.appOptions.customization && this.appOptions.customization.spellcheck===false); if (this.appOptions.customization && this.appOptions.customization.spellcheck!==undefined) console.log("Obsolete: The 'spellcheck' parameter of the 'customization' section is deprecated. Please use 'spellcheck' parameter in the 'customization.features' section instead."); @@ -1300,7 +1325,7 @@ define([ onLicenseChanged: function(params) { var licType = params.asc_getLicenseType(); - if (licType !== undefined && this.appOptions.canEdit && this.editorConfig.mode !== 'view' && + if (licType !== undefined && (this.appOptions.canEdit || this.appOptions.isRestrictedEdit) && this.editorConfig.mode !== 'view' && (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 && (this.appOptions.trialMode & Asc.c_oLicenseMode.Limited) !== 0)) this._state.licenseType = licType; @@ -1326,7 +1351,7 @@ define([ primary = 'buynow'; } - if (this._state.licenseType!==Asc.c_oLicenseResult.SuccessLimit && this.appOptions.isEdit) { + if (this._state.licenseType!==Asc.c_oLicenseResult.SuccessLimit && (this.appOptions.isEdit || this.appOptions.isRestrictedEdit)) { this.disableEditing(true); Common.NotificationCenter.trigger('api:disconnect'); } @@ -1388,6 +1413,8 @@ define([ if ( this.onServerVersion(params.asc_getBuildVersion()) || !this.onLanguageLoaded()) return; + var isPDFViewer = /^(?:(pdf|djvu|xps|oxps))$/.test(this.document.fileType); + this.permissions.review = (this.permissions.review === undefined) ? (this.permissions.edit !== false) : this.permissions.review; if (params.asc_getRights() !== Asc.c_oRights.Edit) @@ -1416,8 +1443,8 @@ define([ this.appOptions.canUseMailMerge= this.appOptions.canLicense && this.appOptions.canEdit && !this.appOptions.isOffline; this.appOptions.canSendEmailAddresses = this.appOptions.canLicense && this.editorConfig.canSendEmailAddresses && this.appOptions.canEdit && this.appOptions.canCoAuthoring; this.appOptions.canComments = this.appOptions.canLicense && (this.permissions.comment===undefined ? this.appOptions.isEdit : this.permissions.comment) && (this.editorConfig.mode !== 'view'); - this.appOptions.canComments = this.appOptions.canComments && !((typeof (this.editorConfig.customization) == 'object') && this.editorConfig.customization.comments===false); - this.appOptions.canViewComments = this.appOptions.canComments || !((typeof (this.editorConfig.customization) == 'object') && this.editorConfig.customization.comments===false); + this.appOptions.canComments = !isPDFViewer && this.appOptions.canComments && !((typeof (this.editorConfig.customization) == 'object') && this.editorConfig.customization.comments===false); + this.appOptions.canViewComments = this.appOptions.canComments || !isPDFViewer && !((typeof (this.editorConfig.customization) == 'object') && this.editorConfig.customization.comments===false); this.appOptions.canChat = this.appOptions.canLicense && !this.appOptions.isOffline && !(this.permissions.chat===false || (this.permissions.chat===undefined) && (typeof (this.editorConfig.customization) == 'object') && this.editorConfig.customization.chat===false); if ((typeof (this.editorConfig.customization) == 'object') && this.editorConfig.customization.chat!==undefined) { @@ -1468,10 +1495,10 @@ define([ this.appOptions.canChat = false; } - var type = /^(?:(djvu))$/.exec(this.document.fileType); - this.appOptions.canDownloadOrigin = this.permissions.download !== false && (type && typeof type[1] === 'string'); - this.appOptions.canDownload = this.permissions.download !== false && (!type || typeof type[1] !== 'string'); - this.appOptions.canUseThumbnails = this.appOptions.canUseViwerNavigation = /^(?:(pdf|djvu|xps|oxps))$/.test(this.document.fileType); + // var type = /^(?:(djvu))$/.exec(this.document.fileType); + this.appOptions.canDownloadOrigin = false; + this.appOptions.canDownload = this.permissions.download !== false; + this.appOptions.canUseSelectHandTools = this.appOptions.canUseThumbnails = this.appOptions.canUseViwerNavigation = isPDFViewer; this.appOptions.canDownloadForms = this.appOptions.canLicense && this.appOptions.canDownload; this.appOptions.fileKey = this.document.key; @@ -1486,17 +1513,19 @@ define([ this.appOptions.canUseReviewPermissions = this.appOptions.canLicense && (!!this.permissions.reviewGroups || this.editorConfig.customization && this.editorConfig.customization.reviewPermissions && (typeof (this.editorConfig.customization.reviewPermissions) == 'object')); this.appOptions.canUseCommentPermissions = this.appOptions.canLicense && !!this.permissions.commentGroups; + this.appOptions.canUseUserInfoPermissions = this.appOptions.canLicense && !!this.permissions.userInfoGroups; AscCommon.UserInfoParser.setParser(true); AscCommon.UserInfoParser.setCurrentName(this.appOptions.user.fullname); this.appOptions.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(this.permissions.reviewGroups, this.editorConfig.customization.reviewPermissions); this.appOptions.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(this.permissions.commentGroups); + this.appOptions.canUseUserInfoPermissions && AscCommon.UserInfoParser.setUserInfoPermissions(this.permissions.userInfoGroups); appHeader.setUserName(AscCommon.UserInfoParser.getParsedName(AscCommon.UserInfoParser.getCurrentName())); this.appOptions.canRename && appHeader.setCanRename(true); this.appOptions.canBrandingExt = params.asc_getCanBranding() && (typeof this.editorConfig.customization == 'object' || this.editorConfig.plugins); this.getApplication().getController('Common.Controllers.Plugins').setMode(this.appOptions, this.api); this.appOptions.canBrandingExt && this.editorConfig.customization && Common.UI.LayoutManager.init(this.editorConfig.customization.layout); - this.appOptions.canBrandingExt && this.editorConfig.customization && Common.UI.FeaturesManager.init(this.editorConfig.customization.features); + this.editorConfig.customization && Common.UI.FeaturesManager.init(this.editorConfig.customization.features, this.appOptions.canBrandingExt); if (this.appOptions.canComments) Common.NotificationCenter.on('comments:cleardummy', _.bind(this.onClearDummyComment, this)); @@ -2201,7 +2230,8 @@ define([ var me = this, shapegrouparray = [], - shapeStore = this.getCollection('ShapeGroups'); + shapeStore = this.getCollection('ShapeGroups'), + name_arr = {}; shapeStore.reset(); @@ -2216,12 +2246,15 @@ define([ width = 30 * cols; _.each(shapes[index], function(shape, idx){ + var name = me['txtShape_' + shape.Type]; arr.push({ data : {shapeType: shape.Type}, - tip : me['txtShape_' + shape.Type] || (me.textShape + ' ' + (idx+1)), + tip : name || (me.textShape + ' ' + (idx+1)), allowSelected : true, selected: false }); + if (name) + name_arr[shape.Type] = name; }); store.add(arr); shapegrouparray.push({ @@ -2236,6 +2269,7 @@ define([ setTimeout(function(){ me.getApplication().getController('Toolbar').onApiAutoShapes(); }, 50); + this.api.asc_setShapeNames(name_arr); }, fillTextArt: function(shapes){ @@ -2666,6 +2700,10 @@ define([ value = Common.localStorage.getBool("de-settings-autoformat-fl-cells", true); Common.Utils.InternalSettings.set("de-settings-autoformat-fl-cells", value); me.api.asc_SetAutoCorrectFirstLetterOfCells(value); + + value = Common.localStorage.getBool("de-settings-autoformat-double-space", Common.Utils.isMac); // add period with double-space in MacOs by default + Common.Utils.InternalSettings.set("de-settings-autoformat-double-space", value); + me.api.asc_SetAutoCorrectDoubleSpaceWithPeriod(value); }, showRenameUserDialog: function() { diff --git a/apps/documenteditor/main/app/controller/Navigation.js b/apps/documenteditor/main/app/controller/Navigation.js index d80f24d10..f528e131e 100644 --- a/apps/documenteditor/main/app/controller/Navigation.js +++ b/apps/documenteditor/main/app/controller/Navigation.js @@ -61,6 +61,9 @@ define([ if (!me._navigationObject) me._navigationObject = obj; me.updateNavigation(); + } else { + if (me.panelNavigation && me.panelNavigation.viewNavigationList && me.panelNavigation.viewNavigationList.scroller) + me.panelNavigation.viewNavigationList.scroller.update({alwaysVisibleY: true}); } }, 'hide': function() { @@ -106,6 +109,7 @@ define([ onAfterRender: function(panelNavigation) { panelNavigation.viewNavigationList.on('item:click', _.bind(this.onSelectItem, this)); panelNavigation.viewNavigationList.on('item:contextmenu', _.bind(this.onItemContextMenu, this)); + panelNavigation.viewNavigationList.on('item:add', _.bind(this.onItemAdd, this)); panelNavigation.navigationMenu.on('item:click', _.bind(this.onMenuItemClick, this)); panelNavigation.navigationMenu.items[11].menu.on('item:click', _.bind(this.onMenuLevelsItemClick, this)); }, @@ -157,6 +161,7 @@ define([ } else { item.set('name', this._navigationObject.get_Text(index)); item.set('isEmptyItem', this._navigationObject.isEmptyItem(index)); + this.panelNavigation.viewNavigationList.updateTip(item.get('dataItem')); } }, @@ -222,6 +227,10 @@ define([ Common.NotificationCenter.trigger('edit:complete', this.panelNavigation); }, + onItemAdd: function(picker, item, record, e){ + record.set('dataItem', item); + }, + onMenuItemClick: function (menu, item) { if (!this._navigationObject && !this._viewerNavigationObject) return; @@ -287,6 +296,8 @@ define([ arr[0].set('tip', this.txtGotoBeginning); } this.getApplication().getCollection('Navigation').reset(arr); + if (this.panelNavigation && this.panelNavigation.viewNavigationList && this.panelNavigation.viewNavigationList.scroller) + this.panelNavigation.viewNavigationList.scroller.update({alwaysVisibleY: true}); } }, diff --git a/apps/documenteditor/main/app/controller/PageThumbnails.js b/apps/documenteditor/main/app/controller/PageThumbnails.js index c526fd8a7..91736f5e2 100644 --- a/apps/documenteditor/main/app/controller/PageThumbnails.js +++ b/apps/documenteditor/main/app/controller/PageThumbnails.js @@ -57,8 +57,8 @@ define([ this.addListeners({ 'PageThumbnails': { 'show': _.bind(function () { + this.api.asc_viewerThumbnailsResize(); if (this.firstShow) { - this.api.asc_viewerThumbnailsResize(); this.api.asc_setViewerThumbnailsUsePageRect(Common.localStorage.getBool("de-thumbnails-highlight", true)); this.firstShow = false; } @@ -112,7 +112,7 @@ define([ }, updateSize: function (size) { - this.thumbnailsSize = size * 100; + this.thumbnailsSize = Math.min(size * 100, 100); }, onChangeSize: function(field, newValue) { diff --git a/apps/documenteditor/main/app/controller/RightMenu.js b/apps/documenteditor/main/app/controller/RightMenu.js index 6bb56edb4..ee9c25be2 100644 --- a/apps/documenteditor/main/app/controller/RightMenu.js +++ b/apps/documenteditor/main/app/controller/RightMenu.js @@ -131,11 +131,15 @@ define([ this.rightmenu.fireEvent('editcomplete', this.rightmenu); }, - onFocusObject: function(SelectedObjects, forceSignature) { + onApiFocusObject: function(SelectedObjects) { + this.onFocusObject(SelectedObjects); + }, + + onFocusObject: function(SelectedObjects, forceSignature, forceOpen) { if (!this.editMode && !forceSignature) return; - var open = this._initSettings ? !Common.localStorage.getBool("de-hide-right-settings", this.rightmenu.defaultHideRightMenu) : false; + var open = this._initSettings ? !Common.localStorage.getBool("de-hide-right-settings", this.rightmenu.defaultHideRightMenu) : !!forceOpen; this._initSettings = false; var can_add_table = false, @@ -339,7 +343,7 @@ define([ createDelayedElements: function() { var me = this; if (this.api) { - this.api.asc_registerCallback('asc_onFocusObject', _.bind(this.onFocusObject, this)); + this.api.asc_registerCallback('asc_onFocusObject', _.bind(this.onApiFocusObject, this)); this.api.asc_registerCallback('asc_doubleClickOnObject', _.bind(this.onDoubleClickOnObject, this)); if (this.rightmenu.mergeSettings) { this.rightmenu.mergeSettings.setDocumentName(this.getApplication().getController('Viewport').getView('Common.Views.Header').getDocumentCaption()); @@ -443,7 +447,7 @@ define([ } else { var selectedElements = this.api.getSelectedElements(); if (selectedElements.length > 0) - this.onFocusObject(selectedElements); + this.onFocusObject(selectedElements, false, !Common.Utils.InternalSettings.get("de-hide-right-settings")); } } }, diff --git a/apps/documenteditor/main/app/controller/Statusbar.js b/apps/documenteditor/main/app/controller/Statusbar.js index 27ad9b07e..ad5bd9e58 100644 --- a/apps/documenteditor/main/app/controller/Statusbar.js +++ b/apps/documenteditor/main/app/controller/Statusbar.js @@ -116,6 +116,9 @@ define([ } else { me.statusbar.$el.find('.el-edit, .el-review').hide(); } + if (cfg.canUseSelectHandTools) { + me.statusbar.$el.find('.hide-select-tools').removeClass('hide-select-tools'); + } }); Common.NotificationCenter.on('app:ready', me.onAppReady.bind(me)); @@ -128,6 +131,12 @@ define([ resolve(); })).then(function () { me.bindViewEvents(me.statusbar, me.events); + if (config.canUseSelectHandTools) { + me.statusbar.btnSelectTool.on('click', _.bind(me.onSelectTool, me, 'select')); + me.statusbar.btnHandTool.on('click', _.bind(me.onSelectTool, me, 'hand')); + me.statusbar.btnHandTool.toggle(true, true); + me.api.asc_setViewerTargetType('hand'); + } var statusbarIsHidden = Common.localStorage.getBool("de-hidden-status"); if ( config.canReview && !statusbarIsHidden ) { @@ -341,6 +350,12 @@ define([ this.disconnectTip = null; }, + onSelectTool: function (type, btn, e) { + if (this.api) { + this.api.asc_setViewerTargetType(type); + } + }, + zoomText : 'Zoom {0}%', textHasChanges : 'New changes have been tracked', textTrackChanges: 'The document is opened with the Track Changes mode enabled', diff --git a/apps/documenteditor/main/app/controller/Toolbar.js b/apps/documenteditor/main/app/controller/Toolbar.js index 12b31b2b5..7219590f4 100644 --- a/apps/documenteditor/main/app/controller/Toolbar.js +++ b/apps/documenteditor/main/app/controller/Toolbar.js @@ -1255,7 +1255,6 @@ define([ !Common.Utils.ModalWindow.isVisible() && Common.UI.warning({ width: 500, - closable: false, msg: this.confirmAddFontName, buttons: ['yes', 'no'], primary: 'yes', @@ -1308,18 +1307,17 @@ define([ if (!value) { value = this._getApiTextSize(); - - Common.UI.warning({ - msg: this.textFontSizeErr, - callback: function() { - _.defer(function(btn) { - $('input', combo.cmpEl).focus(); - }) - } - }); - + setTimeout(function(){ + Common.UI.warning({ + msg: me.textFontSizeErr, + callback: function() { + _.defer(function(btn) { + $('input', combo.cmpEl).focus(); + }) + } + }); + }, 1); combo.setRawValue(value); - e.preventDefault(); return false; } @@ -2636,7 +2634,7 @@ define([ itemTemplate: _.template('
\">
'), groups: me.getApplication().getCollection('ShapeGroups'), parentMenu: me.toolbar.btnInsertShape.menu, - restoreHeight: 640, + restoreHeight: 652, textRecentlyUsed: me.textRecentlyUsed, recentShapes: recents ? JSON.parse(recents) : null }); diff --git a/apps/documenteditor/main/app/controller/ViewTab.js b/apps/documenteditor/main/app/controller/ViewTab.js index 6fbd3caf7..31dfecc38 100644 --- a/apps/documenteditor/main/app/controller/ViewTab.js +++ b/apps/documenteditor/main/app/controller/ViewTab.js @@ -258,8 +258,10 @@ define([ if (this.view) { var current_theme = Common.UI.Themes.currentThemeId() || Common.UI.Themes.defaultThemeId(), menu_item = _.findWhere(this.view.btnInterfaceTheme.menu.items, {value: current_theme}); - this.view.btnInterfaceTheme.menu.clearAll(); - menu_item.setChecked(true, true); + if ( menu_item ) { + this.view.btnInterfaceTheme.menu.clearAll(); + menu_item.setChecked(true, true); + } Common.Utils.lockControls(Common.enumLock.inLightTheme, !Common.UI.Themes.isDarkTheme(), {array: [this.view.btnDarkDocument]}); } }, diff --git a/apps/documenteditor/main/app/template/FormSettings.template b/apps/documenteditor/main/app/template/FormSettings.template index 19920e183..2c2950bd1 100644 --- a/apps/documenteditor/main/app/template/FormSettings.template +++ b/apps/documenteditor/main/app/template/FormSettings.template @@ -72,6 +72,11 @@
+ + +
+ +
@@ -89,6 +94,11 @@
+ + +
+ + diff --git a/apps/documenteditor/main/app/template/LeftMenu.template b/apps/documenteditor/main/app/template/LeftMenu.template index 27eef5966..ea622cef6 100644 --- a/apps/documenteditor/main/app/template/LeftMenu.template +++ b/apps/documenteditor/main/app/template/LeftMenu.template @@ -17,7 +17,7 @@ - +
\ No newline at end of file diff --git a/apps/documenteditor/main/app/template/StatusBar.template b/apps/documenteditor/main/app/template/StatusBar.template index 9025b74a2..22702f8bc 100644 --- a/apps/documenteditor/main/app/template/StatusBar.template +++ b/apps/documenteditor/main/app/template/StatusBar.template @@ -19,6 +19,10 @@
+
+ + +
diff --git a/apps/documenteditor/main/app/view/ChartSettings.js b/apps/documenteditor/main/app/view/ChartSettings.js index d95285e1c..b97bcb5b1 100644 --- a/apps/documenteditor/main/app/view/ChartSettings.js +++ b/apps/documenteditor/main/app/view/ChartSettings.js @@ -102,6 +102,7 @@ define([ if (this.api) { this.api.asc_registerCallback('asc_onImgWrapStyleChanged', _.bind(this._ChartWrapStyleChanged, this)); this.api.asc_registerCallback('asc_onUpdateChartStyles', _.bind(this._onUpdateChartStyles, this)); + this.api.asc_registerCallback('asc_onAddChartStylesPreview', _.bind(this.onAddChartStylesPreview, this)); } return this; }, @@ -150,7 +151,7 @@ define([ this.btnChartType.setIconCls('svgicon'); this.ShowCombinedProps(type); !(type===null || type==Asc.c_oAscChartTypeSettings.comboBarLine || type==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || - type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom) && this.updateChartStyles(this.api.asc_getChartPreviews(type)); + type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom) && this.updateChartStyles(this.api.asc_getChartPreviews(type, undefined, true)); this._state.ChartType = type; } } @@ -165,18 +166,9 @@ define([ } else { value = this.chartProps.getStyle(); if (this._state.ChartStyle !== value || this._isChartStylesChanged) { - this.cmbChartStyle.suspendEvents(); - var rec = this.cmbChartStyle.menuPicker.store.findWhere({data: value}); - this.cmbChartStyle.menuPicker.selectRecord(rec); - this.cmbChartStyle.resumeEvents(); - - if (this._isChartStylesChanged) { - if (rec) - this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.getSelectedRec(), true); - else - this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.store.at(0), true); - } this._state.ChartStyle = value; + var arr = this.selectCurrentChartStyle(); + this._isChartStylesChanged && this.api.asc_generateChartPreviews(this._state.ChartType, arr); } } this._isChartStylesChanged = false; @@ -276,7 +268,8 @@ define([ groups: new Common.UI.DataViewGroupStore(Common.define.chartData.getChartGroupData()), store: new Common.UI.DataViewStore(Common.define.chartData.getChartData()), itemTemplate: _.template('
\">
'), - delayRenderTips: true + delayRenderTips: true, + delaySelect: Common.Utils.isSafari }); }); this.btnChartType.render($('#chart-button-type')); @@ -426,11 +419,52 @@ define([ this.fireEvent('editcomplete', this); }, + selectCurrentChartStyle: function() { + if (!this.cmbChartStyle) return; + + this.cmbChartStyle.suspendEvents(); + var rec = this.cmbChartStyle.menuPicker.store.findWhere({data: this._state.ChartStyle}); + this.cmbChartStyle.menuPicker.selectRecord(rec); + this.cmbChartStyle.resumeEvents(); + + if (this._isChartStylesChanged) { + var currentRecords; + if (rec) + currentRecords = this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.getSelectedRec(), true); + else + currentRecords = this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.store.at(0), true); + if (currentRecords && currentRecords.length>0) { + var arr = []; + _.each(currentRecords, function(style, index){ + arr.push(style.get('data')); + }); + return arr; + } + } + }, + + onAddChartStylesPreview: function(styles){ + var me = this; + if (styles && styles.length>0){ + var stylesStore = this.cmbChartStyle.menuPicker.store; + if (stylesStore) { + _.each(styles, function(item, index){ + var rec = stylesStore.findWhere({ + data: item.asc_getName() + }); + rec && rec.set('imageUrl', item.asc_getImage()); + }); + } + } + }, + _onUpdateChartStyles: function() { if (this.api && this._state.ChartType!==null && this._state.ChartType>-1 && !(this._state.ChartType==Asc.c_oAscChartTypeSettings.comboBarLine || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || - this._state.ChartType==Asc.c_oAscChartTypeSettings.comboAreaBar || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboCustom)) - this.updateChartStyles(this.api.asc_getChartPreviews(this._state.ChartType)); + this._state.ChartType==Asc.c_oAscChartTypeSettings.comboAreaBar || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboCustom)) { + this.updateChartStyles(this.api.asc_getChartPreviews(this._state.ChartType, undefined, true)); + this.api.asc_generateChartPreviews(this._state.ChartType, this.selectCurrentChartStyle()); + } }, updateChartStyles: function(styles) { @@ -464,24 +498,15 @@ define([ if (styles && styles.length>0){ var stylesStore = this.cmbChartStyle.menuPicker.store; if (stylesStore) { - var count = stylesStore.length; - if (count>0 && count==styles.length) { - var data = stylesStore.models; - _.each(styles, function(style, index){ - data[index].set('imageUrl', style.asc_getImage()); + var stylearray = []; + _.each(styles, function(item, index){ + stylearray.push({ + imageUrl: item.asc_getImage(), + data : item.asc_getName(), + tip : me.textStyle + ' ' + item.asc_getName() }); - } else { - var stylearray = [], - selectedIdx = -1; - _.each(styles, function(item, index){ - stylearray.push({ - imageUrl: item.asc_getImage(), - data : item.asc_getName(), - tip : me.textStyle + ' ' + item.asc_getName() - }); - }); - stylesStore.reset(stylearray, {silent: false}); - } + }); + stylesStore.reset(stylearray, {silent: false}); } } else { this.cmbChartStyle.menuPicker.store.reset(); diff --git a/apps/documenteditor/main/app/view/ControlSettingsDialog.js b/apps/documenteditor/main/app/view/ControlSettingsDialog.js index 29662dff5..f8c10561a 100644 --- a/apps/documenteditor/main/app/view/ControlSettingsDialog.js +++ b/apps/documenteditor/main/app/view/ControlSettingsDialog.js @@ -205,7 +205,7 @@ define([ 'text!documenteditor/main/app/template/ControlSettingsDialog.template', // date picker var data = [{ value: 0x042C }, { value: 0x0402 }, { value: 0x0405 }, { value: 0x0C07 }, { value: 0x0407 }, {value: 0x0807}, { value: 0x0408 }, { value: 0x0C09 }, { value: 0x0809 }, { value: 0x0409 }, { value: 0x0C0A }, { value: 0x080A }, - { value: 0x040B }, { value: 0x040C }, { value: 0x0410 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x040E }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, + { value: 0x040B }, { value: 0x040C }, { value: 0x100C }, { value: 0x0410 }, { value: 0x0810 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x040E }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, { value: 0x0816 }, { value: 0x0419 }, { value: 0x041B }, { value: 0x0424 }, { value: 0x081D }, { value: 0x041D }, { value: 0x041F }, { value: 0x0422 }, { value: 0x042A }, { value: 0x0804 }]; data.forEach(function(item) { var langinfo = Common.util.LanguageInfo.getLocalLanguageName(item.value); diff --git a/apps/documenteditor/main/app/view/DateTimeDialog.js b/apps/documenteditor/main/app/view/DateTimeDialog.js index 1fc95805e..80253793d 100644 --- a/apps/documenteditor/main/app/view/DateTimeDialog.js +++ b/apps/documenteditor/main/app/view/DateTimeDialog.js @@ -89,7 +89,7 @@ define([ Common.UI.Window.prototype.render.call(this); var data = [{ value: 0x042C }, { value: 0x0402 }, { value: 0x0405 }, { value: 0x0C07 }, { value: 0x0407 }, {value: 0x0807}, { value: 0x0408 }, { value: 0x0C09 }, { value: 0x0809 }, { value: 0x0409 }, { value: 0x0C0A }, { value: 0x080A }, - { value: 0x040B }, { value: 0x040C }, { value: 0x0410 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x040E }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, + { value: 0x040B }, { value: 0x040C }, { value: 0x100C }, { value: 0x0410 }, { value: 0x0810 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x040E }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, { value: 0x0816 }, { value: 0x0419 }, { value: 0x041B }, { value: 0x0424 }, { value: 0x081D }, { value: 0x041D }, { value: 0x041F }, { value: 0x0422 }, { value: 0x042A }, { value: 0x0804 }]; data.forEach(function(item) { var langinfo = Common.util.LanguageInfo.getLocalLanguageName(item.value); diff --git a/apps/documenteditor/main/app/view/DocumentHolder.js b/apps/documenteditor/main/app/view/DocumentHolder.js index cb99b677f..a654d9f8d 100644 --- a/apps/documenteditor/main/app/view/DocumentHolder.js +++ b/apps/documenteditor/main/app/view/DocumentHolder.js @@ -221,6 +221,12 @@ define([ menu_props.paraProps.value = elValue; menu_props.paraProps.locked = (elValue) ? elValue.get_Locked() : false; noobject = false; + } else if (Asc.c_oAscTypeSelectElement.Text == elType) + { + if (!me.viewPDFModeMenu) + me.createDelayedElementsPDFViewer(); + menu_to_show = me.viewPDFModeMenu; + noobject = false; } } return (!noobject) ? {menu_to_show: menu_to_show, menu_props: menu_props} : null; @@ -236,6 +242,11 @@ define([ var onContextMenu = function(event){ if (Common.UI.HintManager.isHintVisible()) Common.UI.HintManager.clearHints(); + if (!event) { + Common.UI.Menu.Manager.hideAll(); + return; + } + _.delay(function(){ if (event.get_Type() == 0) { showObjectMenu.call(me, event); @@ -1898,6 +1909,16 @@ define([ me.fireEvent('editcomplete', me); }, + onAcceptRejectChange: function(item, e) { + if (this.api) { + if (item.value == 'accept') + this.api.asc_AcceptChanges(); + else if (item.value == 'reject') + this.api.asc_RejectChanges(); + } + this.fireEvent('editcomplete', this); + }, + onPrintSelection: function(item){ if (this.api){ var printopt = new Asc.asc_CAdjustPrint(); @@ -2102,7 +2123,7 @@ define([ menuViewCut.setDisabled(disabled || !cancopy); menuViewPaste.setVisible(me._fillFormMode && canEditControl); menuViewPaste.setDisabled(disabled); - menuViewPrint.setVisible(me.mode.canPrint); + menuViewPrint.setVisible(me.mode.canPrint && !me._fillFormwMode); menuViewPrint.setDisabled(!cancopy); }, @@ -2132,6 +2153,35 @@ define([ }, + createDelayedElementsPDFViewer: function() { + var me = this; + + var menuPDFViewCopy = new Common.UI.MenuItem({ + iconCls: 'menu__icon btn-copy', + caption: me.textCopy, + value: 'copy' + }).on('click', _.bind(me.onCutCopyPaste, me)); + + this.viewPDFModeMenu = new Common.UI.Menu({ + cls: 'shifted-right', + initMenu: function (value) { + menuPDFViewCopy.setDisabled(!(me.api && me.api.can_CopyCut())); + }, + items: [ + menuPDFViewCopy + ] + }).on('hide:after', function (menu, e, isFromInputControl) { + if (me.suppressEditComplete) { + me.suppressEditComplete = false; + return; + } + + if (!isFromInputControl) me.fireEvent('editcomplete', me); + me.currentMenu = null; + }); + + }, + createDelayedElements: function() { var me = this; @@ -2519,6 +2569,20 @@ define([ value : 'cut' }).on('click', _.bind(me.onCutCopyPaste, me)); + var menuImgAccept = new Common.UI.MenuItem({ + caption : me.textAccept, + value : 'accept' + }).on('click', _.bind(me.onAcceptRejectChange, me)); + + var menuImgReject = new Common.UI.MenuItem({ + caption : me.textReject, + value : 'reject' + }).on('click', _.bind(me.onAcceptRejectChange, me)); + + var menuImgReviewSeparator = new Common.UI.MenuItem({ + caption : '--' + }); + var menuImgPrint = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-print', caption : me.txtPrintSelection @@ -2610,6 +2674,7 @@ define([ this.pictureMenu = new Common.UI.Menu({ cls: 'shifted-right', + restoreHeightAndTop: true, initMenu: function(value){ if (_.isUndefined(value.imgProps)) return; @@ -2748,6 +2813,11 @@ define([ menuImgPrint.setVisible(me.mode.canPrint); menuImgPrint.setDisabled(!cancopy); + var lockreview = Common.Utils.InternalSettings.get("de-accept-reject-lock"); + menuImgAccept.setVisible(!lockreview); + menuImgReject.setVisible(!lockreview); + menuImgReviewSeparator.setVisible(!lockreview); + var signGuid = (value.imgProps && value.imgProps.value && me.mode.isSignatureSupport) ? value.imgProps.value.asc_getSignatureId() : undefined, isInSign = !!signGuid; menuSignatureEditSign.setVisible(isInSign); @@ -2770,6 +2840,9 @@ define([ menuImgPaste, menuImgPrint, { caption: '--' }, + menuImgAccept, + menuImgReject, + menuImgReviewSeparator, menuSignatureEditSign, menuSignatureEditSetup, menuEditSignSeparator, @@ -2914,12 +2987,18 @@ define([ }) }); - var menuTableRemoveControl = new Common.UI.MenuItem({ + var menuTableRemoveForm = new Common.UI.MenuItem({ iconCls: 'menu__icon cc-remove', caption: me.textRemove, value: 'remove' }).on('click', _.bind(me.onControlsSelect, me)); + var menuTableRemoveControl = new Common.UI.MenuItem({ + iconCls: 'menu__icon cc-remove', + caption: me.textRemoveControl, + value: 'remove' + }).on('click', _.bind(me.onControlsSelect, me)); + var menuTableControlSettings = new Common.UI.MenuItem({ caption: me.textSettings, value: 'settings' @@ -3084,6 +3163,20 @@ define([ value : 'cut' }).on('click', _.bind(me.onCutCopyPaste, me)); + var menuTableAccept = new Common.UI.MenuItem({ + caption : me.textAccept, + value : 'accept' + }).on('click', _.bind(me.onAcceptRejectChange, me)); + + var menuTableReject = new Common.UI.MenuItem({ + caption : me.textReject, + value : 'reject' + }).on('click', _.bind(me.onAcceptRejectChange, me)); + + var menuTableReviewSeparator = new Common.UI.MenuItem({ + caption : '--' + }); + var menuTablePrint = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-print', caption : me.txtPrintSelection @@ -3194,6 +3287,7 @@ define([ this.tableMenu = new Common.UI.Menu({ cls: 'shifted-right', + restoreHeightAndTop: true, initMenu: function(value){ // table properties if (_.isUndefined(value.tableProps)) @@ -3201,7 +3295,7 @@ define([ var isEquation= (value.mathProps && value.mathProps.value); - for (var i = 8; i < 27; i++) { + for (var i = 11; i < 30; i++) { me.tableMenu.items[i].setVisible(!isEquation); } @@ -3242,8 +3336,8 @@ define([ me.menuTableDirect270.setChecked(dir == Asc.c_oAscCellTextDirection.BTLR); var disabled = value.tableProps.locked || (value.headerProps!==undefined && value.headerProps.locked); - me.tableMenu.items[11].setDisabled(disabled); - me.tableMenu.items[12].setDisabled(disabled); + me.tableMenu.items[14].setDisabled(disabled); + me.tableMenu.items[15].setDisabled(disabled); if (me.api) { mnuTableMerge.setDisabled(disabled || !me.api.CheckBeforeMergeCells()); @@ -3263,6 +3357,11 @@ define([ menuTablePrint.setVisible(me.mode.canPrint); menuTablePrint.setDisabled(!cancopy); + var lockreview = Common.Utils.InternalSettings.get("de-accept-reject-lock"); + menuTableAccept.setVisible(!lockreview); + menuTableReject.setVisible(!lockreview); + menuTableReviewSeparator.setVisible(!lockreview); + // bullets & numbering var listId = me.api.asc_GetCurrentNumberingId(), in_list = (listId !== null); @@ -3340,27 +3439,34 @@ define([ //equation menu var eqlen = 0; if (isEquation) { - eqlen = me.addEquationMenu(false, 7); + eqlen = me.addEquationMenu(false, 10); } else - me.clearEquationMenu(false, 7); + me.clearEquationMenu(false, 10); menuEquationSeparatorInTable.setVisible(isEquation && eqlen>0); var control_lock = (value.paraProps) ? (!value.paraProps.value.can_DeleteBlockContentControl() || !value.paraProps.value.can_EditBlockContentControl() || !value.paraProps.value.can_DeleteInlineContentControl() || !value.paraProps.value.can_EditInlineContentControl()) : false; var in_toc = me.api.asc_GetTableOfContentsPr(true), in_control = !in_toc && me.api.asc_IsContentControl(); - menuTableControl.setVisible(in_control); if (in_control) { var control_props = me.api.asc_GetContentControlProperties(), lock_type = (control_props) ? control_props.get_Lock() : Asc.c_oAscSdtLockType.Unlocked, is_form = control_props && control_props.get_FormPr(); - menuTableRemoveControl.setDisabled(lock_type==Asc.c_oAscSdtLockType.SdtContentLocked || lock_type==Asc.c_oAscSdtLockType.SdtLocked); - menuTableRemoveControl.setCaption(is_form ? me.getControlLabel(control_props) : me.textRemoveControl); - menuTableControlSettings.setVisible(me.mode.canEditContentControl && !is_form); - + menuTableRemoveForm.setVisible(is_form); + menuTableControl.setVisible(!is_form); + if (is_form) { + menuTableRemoveForm.setDisabled(lock_type==Asc.c_oAscSdtLockType.SdtContentLocked || lock_type==Asc.c_oAscSdtLockType.SdtLocked); + menuTableRemoveForm.setCaption(me.getControlLabel(control_props)); + } else { + menuTableRemoveControl.setDisabled(lock_type==Asc.c_oAscSdtLockType.SdtContentLocked || lock_type==Asc.c_oAscSdtLockType.SdtLocked); + menuTableControlSettings.setVisible(me.mode.canEditContentControl); + } var spectype = control_props ? control_props.get_SpecificType() : Asc.c_oAscContentControlSpecificType.None; control_lock = control_lock || spectype==Asc.c_oAscContentControlSpecificType.CheckBox || spectype==Asc.c_oAscContentControlSpecificType.Picture || spectype==Asc.c_oAscContentControlSpecificType.ComboBox || spectype==Asc.c_oAscContentControlSpecificType.DropDownList || spectype==Asc.c_oAscContentControlSpecificType.DateTime; + } else { + menuTableControl.setVisible(in_control); + menuTableRemoveForm.setVisible(in_control); } menuTableTOC.setVisible(in_toc); @@ -3386,6 +3492,9 @@ define([ menuTablePaste, menuTablePrint, { caption: '--' }, + menuTableAccept, + menuTableReject, + menuTableReviewSeparator, menuEquationSeparatorInTable, menuTableRefreshField, menuTableFieldSeparator, @@ -3518,6 +3627,7 @@ define([ menuHyperlinkTable, menuTableFollow, menuHyperlinkSeparator, + menuTableRemoveForm, menuTableControl, menuTableTOC, menuParagraphAdvancedInTable @@ -3790,6 +3900,20 @@ define([ value : 'cut' }).on('click', _.bind(me.onCutCopyPaste, me)); + var menuParaAccept = new Common.UI.MenuItem({ + caption : me.textAccept, + value : 'accept' + }).on('click', _.bind(me.onAcceptRejectChange, me)); + + var menuParaReject = new Common.UI.MenuItem({ + caption : me.textReject, + value : 'reject' + }).on('click', _.bind(me.onAcceptRejectChange, me)); + + var menuParaReviewSeparator = new Common.UI.MenuItem({ + caption : '--' + }); + var menuParaPrint = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-print', caption : me.txtPrintSelection @@ -3884,6 +4008,7 @@ define([ this.textMenu = new Common.UI.Menu({ cls: 'shifted-right', + restoreHeightAndTop: true, initMenu: function(value){ var isInShape = (value.imgProps && value.imgProps.value && !_.isNull(value.imgProps.value.get_ShapeProperties())); var isInChart = (value.imgProps && value.imgProps.value && !_.isNull(value.imgProps.value.get_ChartProperties())); @@ -3988,6 +4113,11 @@ define([ menuParaPrint.setVisible(me.mode.canPrint); menuParaPrint.setDisabled(!cancopy); + var lockreview = Common.Utils.InternalSettings.get("de-accept-reject-lock"); + menuParaAccept.setVisible(!lockreview); + menuParaReject.setVisible(!lockreview); + menuParaReviewSeparator.setVisible(!lockreview); + // spellCheck var spell = (value.spellProps!==undefined && value.spellProps.value.get_Checked()===false); me.menuSpellPara.setVisible(spell); @@ -4014,9 +4144,9 @@ define([ //equation menu var eqlen = 0; if (isEquation) { - eqlen = me.addEquationMenu(true, 15); + eqlen = me.addEquationMenu(true, 18); } else - me.clearEquationMenu(true, 15); + me.clearEquationMenu(true, 18); menuEquationSeparator.setVisible(isEquation && eqlen>0); menuEquationInsertCaption.setVisible(isEquation); menuEquationInsertCaptionSeparator.setVisible(isEquation); @@ -4101,6 +4231,9 @@ define([ menuParaCopy, menuParaPaste, menuParaPrint, + menuParaReviewSeparator, + menuParaAccept, + menuParaReject, menuEquationInsertCaptionSeparator, menuEquationInsertCaption, { caption: '--' }, @@ -4746,7 +4879,9 @@ define([ txtRemoveWarning: 'Do you want to remove this signature?
It can\'t be undone.', notcriticalErrorTitle: 'Warning', txtWarnUrl: 'Clicking this link can be harmful to your device and data.
Are you sure you want to continue?', - textEditPoints: 'Edit Points' + textEditPoints: 'Edit Points', + textAccept: 'Accept Change', + textReject: 'Reject Change' }, DE.Views.DocumentHolder || {})); }); \ No newline at end of file diff --git a/apps/documenteditor/main/app/view/FileMenuPanels.js b/apps/documenteditor/main/app/view/FileMenuPanels.js index bf15c73c4..e44e5b6cc 100644 --- a/apps/documenteditor/main/app/view/FileMenuPanels.js +++ b/apps/documenteditor/main/app/view/FileMenuPanels.js @@ -98,12 +98,20 @@ define([ }, render: function() { - if (/^pdf|xps|oxps$/.test(this.fileType)) { + if (/^pdf$/.test(this.fileType)) { this.formats[0].splice(1, 1); // remove pdf this.formats[1].splice(1, 1); // remove pdfa - this.formats[3].push({name: 'Original', imgCls: 'pdf', type: ''}); + this.formats[3].push({name: 'PDF', imgCls: 'pdf', type: ''}); // original pdf + } else if (/^xps|oxps$/.test(this.fileType)) { + this.formats[3].push({name: this.fileType.toUpperCase(), imgCls: this.fileType, type: ''}); // original xps/oxps + } else if (/^djvu$/.test(this.fileType)) { + this.formats = [[ + {name: 'DJVU', imgCls: 'djvu', type: ''}, // original djvu + {name: 'PDF', imgCls: 'pdf', type: Asc.c_oAscFileType.PDF} + ]]; } - if (this.mode && !this.mode.canFeatureForms) { + + if (this.mode && !this.mode.canFeatureForms && this.formats.length>2) { this.formats[2].splice(1, 2); this.formats[2] = this.formats[2].concat(this.formats[3]); this.formats[3] = undefined; @@ -186,12 +194,20 @@ define([ }, render: function() { - if (/^pdf|xps|oxps$/.test(this.fileType)) { + if (/^pdf$/.test(this.fileType)) { this.formats[0].splice(1, 1); // remove pdf this.formats[1].splice(1, 1); // remove pdfa - this.formats[3].push({name: 'Original', imgCls: 'pdf', type: '', ext: true}); + this.formats[3].push({name: 'PDF', imgCls: 'pdf', type: '', ext: true}); // original pdf + } else if (/^xps|oxps$/.test(this.fileType)) { + this.formats[3].push({name: this.fileType.toUpperCase(), imgCls: this.fileType, type: '', ext: true}); // original xps/oxps + } else if (/^djvu$/.test(this.fileType)) { + this.formats = [[ + {name: 'DJVU', imgCls: 'djvu', type: '', ext: true}, // original djvu + {name: 'PDF', imgCls: 'pdf', type: Asc.c_oAscFileType.PDF, ext: '.pdf'} + ]]; } - if (this.mode && !this.mode.canFeatureForms) { + + if (this.mode && !this.mode.canFeatureForms && this.formats.length>2) { this.formats[2].splice(1, 2); this.formats[2] = this.formats[2].concat(this.formats[3]); this.formats[3] = undefined; @@ -1198,7 +1214,6 @@ define([ ].join('')); this.infoObj = {PageCount: 0, WordsCount: 0, ParagraphCount: 0, SymbolsCount: 0, SymbolsWSCount:0}; - this.inProgress = false; this.menu = options.menu; this.coreProps = null; this.authors = []; @@ -1508,11 +1523,8 @@ define([ _onGetDocInfoStart: function() { var me = this; - this.inProgress = true; this.infoObj = {PageCount: 0, WordsCount: 0, ParagraphCount: 0, SymbolsCount: 0, SymbolsWSCount:0}; - _.defer(function(){ - if (!me.inProgress) return; - + this.timerLoading = setTimeout(function(){ me.lblStatPages.text(me.txtLoading); me.lblStatWords.text(me.txtLoading); me.lblStatParagraphs.text(me.txtLoading); @@ -1523,6 +1535,7 @@ define([ _onDocInfo: function(obj) { if (obj) { + clearTimeout(this.timerLoading); if (obj.get_PageCount()>-1) this.infoObj.PageCount = obj.get_PageCount(); if (obj.get_WordsCount()>-1) @@ -1533,11 +1546,24 @@ define([ this.infoObj.SymbolsCount = obj.get_SymbolsCount(); if (obj.get_SymbolsWSCount()>-1) this.infoObj.SymbolsWSCount = obj.get_SymbolsWSCount(); + if (!this.timerDocInfo) { // start timer for filling info + var me = this; + this.timerDocInfo = setInterval(function(){ + me.fillDocInfo(); + }, 300); + this.fillDocInfo(); + } } }, _onGetDocInfoEnd: function() { - this.inProgress = false; + clearTimeout(this.timerLoading); + clearInterval(this.timerDocInfo); + this.timerLoading = this.timerDocInfo = undefined; + this.fillDocInfo(); + }, + + fillDocInfo: function() { this.lblStatPages.text(this.infoObj.PageCount); this.lblStatWords.text(this.infoObj.WordsCount); this.lblStatParagraphs.text(this.infoObj.ParagraphCount); diff --git a/apps/documenteditor/main/app/view/FormSettings.js b/apps/documenteditor/main/app/view/FormSettings.js index 1cd144720..2af5d2f4f 100644 --- a/apps/documenteditor/main/app/view/FormSettings.js +++ b/apps/documenteditor/main/app/view/FormSettings.js @@ -178,6 +178,7 @@ define([ value: '10', maxValue: 1000000, minValue: 1, + allowDecimal: false, dataHint: '1', dataHintDirection: 'bottom', dataHintOffset: 'big' @@ -1273,26 +1274,15 @@ define([ this._state.imgPositionY = 50; } this.imagePositionLabel.text(Math.round(this._state.imgPositionX) + ',' + Math.round(this._state.imgPositionY)); - - if (this._sendUndoPoint) { - this.api.setStartPointHistory(); - this._sendUndoPoint = false; - this.updateslider = setInterval(_.bind(this.imgPositionApplyFunc, this, type), 100); - } }, onImagePositionChangeComplete: function (type, field, newValue, oldValue) { - clearInterval(this.updateslider); if (type === 'x') { this._state.imgPositionX = newValue; } else { this._state.imgPositionY = newValue; } - if (!this._sendUndoPoint) { // start point was added - this.api.setEndPointHistory(); - this.imgPositionApplyFunc(type); - } - this._sendUndoPoint = true; + this.imgPositionApplyFunc(type); }, imgPositionApplyFunc: function (type) { diff --git a/apps/documenteditor/main/app/view/ImageSettings.js b/apps/documenteditor/main/app/view/ImageSettings.js index eb9123037..5f60017b4 100644 --- a/apps/documenteditor/main/app/view/ImageSettings.js +++ b/apps/documenteditor/main/app/view/ImageSettings.js @@ -349,10 +349,10 @@ define([ itemTemplate: _.template('
\">
'), groups: me.application.getCollection('ShapeGroups'), parentMenu: me.btnChangeShape.menu, - restoreHeight: 640, + restoreHeight: 652, textRecentlyUsed: me.textRecentlyUsed, recentShapes: recents ? JSON.parse(recents) : null, - isFromImage: true + hideTextRect: true }); shapePicker.on('item:click', function(picker, item, record, e) { if (me.api) { diff --git a/apps/documenteditor/main/app/view/LeftMenu.js b/apps/documenteditor/main/app/view/LeftMenu.js index 69ef3d49f..a6ad60492 100644 --- a/apps/documenteditor/main/app/view/LeftMenu.js +++ b/apps/documenteditor/main/app/view/LeftMenu.js @@ -329,6 +329,10 @@ define([ this.panelNavigation['hide'](); this.btnNavigation.toggle(false, true); } + if (this.panelThumbnails) { + this.panelThumbnails['hide'](); + this.btnThumbnails.toggle(false, true); + } } }, diff --git a/apps/documenteditor/main/app/view/Navigation.js b/apps/documenteditor/main/app/view/Navigation.js index d4e4de775..68269cf72 100644 --- a/apps/documenteditor/main/app/view/Navigation.js +++ b/apps/documenteditor/main/app/view/Navigation.js @@ -71,7 +71,8 @@ define([ enableKeyEvents: false, emptyText: this.txtEmpty, emptyItemText: this.txtEmptyItem, - style: 'border: none;' + style: 'border: none;', + delayRenderTips: true }); this.viewNavigationList.cmpEl.off('click'); this.navigationMenu = new Common.UI.Menu({ diff --git a/apps/documenteditor/main/app/view/RightMenu.js b/apps/documenteditor/main/app/view/RightMenu.js index 9192a239b..cd06779b9 100644 --- a/apps/documenteditor/main/app/view/RightMenu.js +++ b/apps/documenteditor/main/app/view/RightMenu.js @@ -151,6 +151,7 @@ define([ this.defaultHideRightMenu = mode.customization && !!mode.customization.hideRightMenu; var open = !Common.localStorage.getBool("de-hide-right-settings", this.defaultHideRightMenu); + Common.Utils.InternalSettings.set("de-hide-right-settings", !open); this.$el.css('width', ((open) ? MENU_SCALE_PART : SCALE_MIN) + 'px'); this.$el.show(); @@ -279,6 +280,7 @@ define([ target_pane_parent.css("display", "inline-block" ); this.minimizedMode = false; Common.localStorage.setItem("de-hide-right-settings", 0); + Common.Utils.InternalSettings.set("de-hide-right-settings", false); } target_pane_parent.find('> .active').removeClass('active'); target_pane.addClass("active"); @@ -291,6 +293,7 @@ define([ $(this.el).width(SCALE_MIN); this.minimizedMode = true; Common.localStorage.setItem("de-hide-right-settings", 1); + Common.Utils.InternalSettings.set("de-hide-right-settings", true); } this.fireEvent('rightmenuclick', [this, btn.options.asctype, this.minimizedMode, e]); diff --git a/apps/documenteditor/main/app/view/ShapeSettings.js b/apps/documenteditor/main/app/view/ShapeSettings.js index 643dd0df4..8f7a7031d 100644 --- a/apps/documenteditor/main/app/view/ShapeSettings.js +++ b/apps/documenteditor/main/app/view/ShapeSettings.js @@ -129,7 +129,7 @@ define([ this.txtKnit, this.txtLeather, this.txtBrownPaper, this.txtPapyrus, this.txtWood]; this.fillControls = []; - this.gradientColorsStr=""; + this.gradientColorsStr="#000, #fff"; this.typeGradient = 90 ; this.render(); }, @@ -468,9 +468,13 @@ define([ rawData = record; } - this.typeGradient = rawData.type + 90; - - (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) ? this.GradLinearDirectionType = rawData.type : this.GradRadialDirectionIdx = 0; + if (this.GradFillType === Asc.c_oAscFillGradType.GRAD_LINEAR) { + this.GradLinearDirectionType = rawData.type; + this.typeGradient = rawData.type + 90; + } else { + this.GradRadialDirectionIdx = 0; + this.typeGradient = rawData.type; + } if (this.api) { if (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) { this.numGradientAngle.setValue(rawData.type, true); @@ -1223,13 +1227,13 @@ define([ btnDirectionRedraw: function(slider, gradientColorsStr) { this.gradientColorsStr = gradientColorsStr; - if (this.mnuDirectionPicker.dataViewItems.length == 1) - this.mnuDirectionPicker.dataViewItems[0].$el.children(0).css({'background': 'radial-gradient(' + gradientColorsStr + ')'}); - else - this.mnuDirectionPicker.dataViewItems.forEach(function (item) { - var type = item.model.get('type') + 90; - item.$el.children(0).css({'background': 'linear-gradient(' + type + 'deg, ' + gradientColorsStr + ')'}); - }); + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = gradientColorsStr; + }); + this._viewDataRadial.gradientColorsStr = this.gradientColorsStr; + this.mnuDirectionPicker.store.each(function(item){ + item.set('gradientColorsStr', gradientColorsStr); + }, this); if (this.typeGradient == -1) this.btnDirection.$icon.css({'background': 'none'}); @@ -1397,9 +1401,12 @@ define([ { type:270, subtype:3}, { type:225, subtype:7} ]; + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = me.gradientColorsStr; + }); this._viewDataRadial = [ - { type:2, subtype:5} + { type:2, subtype:5, gradientColorsStr: this.gradientColorsStr} ]; this.btnDirection = new Common.UI.Button({ @@ -1424,8 +1431,8 @@ define([ allowScrollbar: false, store: new Common.UI.DataViewStore(me._viewDataLinear), itemTemplate: _.template('
') + +'<% if(type!=2) {%>linear-gradient(<%= type + 90 %>deg,<%= gradientColorsStr %>)' + +' <%} else {%> radial-gradient(<%= gradientColorsStr %>) <%}%>;">') }); }); this.btnDirection.render($('#shape-button-direction')); @@ -1852,7 +1859,7 @@ define([ itemTemplate: _.template('
\">
'), groups: me.application.getCollection('ShapeGroups'), parentMenu: me.btnChangeShape.menu, - restoreHeight: 640, + restoreHeight: 652, textRecentlyUsed: me.textRecentlyUsed, recentShapes: recents ? JSON.parse(recents) : null, hideTextRect: me._state.isFromImage || me._state.isFromSmartArtInternal, diff --git a/apps/documenteditor/main/app/view/Statusbar.js b/apps/documenteditor/main/app/view/Statusbar.js index 18a661d7b..95b0d8d17 100644 --- a/apps/documenteditor/main/app/view/Statusbar.js +++ b/apps/documenteditor/main/app/view/Statusbar.js @@ -79,6 +79,11 @@ define([ me.btnZoomDown.updateHint(me.tipZoomOut + Common.Utils.String.platformKey('Ctrl+-')); me.btnZoomUp.updateHint(me.tipZoomIn + Common.Utils.String.platformKey('Ctrl++')); + if (config.canUseSelectHandTools) { + me.btnSelectTool.updateHint(me.tipSelectTool); + me.btnHandTool.updateHint(me.tipHandTool); + } + if (me.btnLanguage && me.btnLanguage.cmpEl) { me.btnLanguage.updateHint(me.tipSetLang); me.langMenu.on('item:click', _.bind(_clickLanguage, this)); @@ -179,6 +184,20 @@ define([ textPageNumber: Common.Utils.String.format(this.pageIndexText, 1, 1) })); + this.btnSelectTool = new Common.UI.Button({ + hintAnchor: 'top', + toggleGroup: 'select-tools', + enableToggle: true, + allowDepress: false + }); + + this.btnHandTool = new Common.UI.Button({ + hintAnchor: 'top', + toggleGroup: 'select-tools', + enableToggle: true, + allowDepress: false + }); + this.btnZoomToPage = new Common.UI.Button({ hintAnchor: 'top', toggleGroup: 'status-zoom', @@ -292,6 +311,11 @@ define([ me.langMenu.prevTip = 'en'; } + if (config.canUseSelectHandTools) { + _btn_render(me.btnSelectTool, $('#btn-select-tool', me.$layout)); + _btn_render(me.btnHandTool, $('#btn-hand-tool', me.$layout)); + } + me.zoomMenu.render($('.cnt-zoom',me.$layout)); me.zoomMenu.cmpEl.attr({tabindex: -1}); @@ -394,7 +418,9 @@ define([ tipSetLang : 'Set Text Language', txtPageNumInvalid : 'Page number invalid', textTrackChanges : 'Track Changes', - textChangesPanel : 'Changes panel' + textChangesPanel : 'Changes panel', + tipSelectTool : 'Select tool', + tipHandTool : 'Hand tool' }, DE.Views.Statusbar || {})); } ); \ No newline at end of file diff --git a/apps/documenteditor/main/app/view/TableSettings.js b/apps/documenteditor/main/app/view/TableSettings.js index 05b84bef1..864408c8e 100644 --- a/apps/documenteditor/main/app/view/TableSettings.js +++ b/apps/documenteditor/main/app/view/TableSettings.js @@ -74,7 +74,7 @@ define([ this._initSettings = true; this._state = { - TemplateId: 0, + TemplateId: undefined, CheckHeader: false, CheckTotal: false, CheckBanded: false, @@ -85,7 +85,10 @@ define([ RepeatRow: false, DisabledControls: false, Width: null, - Height: null + Height: null, + beginPreviewStyles: true, + previewStylesCount: -1, + currentStyleFound: false }; this.spinners = []; this.lockedControls = []; @@ -233,6 +236,9 @@ define([ this.api = o; if (o) { this.api.asc_registerCallback('asc_onInitTableTemplates', _.bind(this.onInitTableTemplates, this)); + this.api.asc_registerCallback('asc_onBeginTableStylesPreview', _.bind(this.onBeginTableStylesPreview, this)); + this.api.asc_registerCallback('asc_onAddTableStylesPreview', _.bind(this.onAddTableStylesPreview, this)); + this.api.asc_registerCallback('asc_onEndTableStylesPreview', _.bind(this.onEndTableStylesPreview, this)); } return this; }, @@ -524,19 +530,12 @@ define([ //for table-template value = props.get_TableStyle(); if (this._state.TemplateId!==value || this._isTemplatesChanged) { - var rec = this.mnuTableTemplatePicker.store.findWhere({ - templateId: value - }); - if (!rec) { - rec = this.mnuTableTemplatePicker.store.at(0); - } - this.btnTableTemplate.suspendEvents(); - this.mnuTableTemplatePicker.selectRecord(rec, true); - this.btnTableTemplate.resumeEvents(); - - this.$el.find('.icon-template-table').css({'background-image': 'url(' + rec.get("imageUrl") + ')', 'height': '52px', 'width': '72px', 'background-position': 'center', 'background-size': 'auto 52px'}); - this._state.TemplateId = value; + var template = this.api.asc_getTableStylesPreviews(false, [this._state.TemplateId]); + if (template && template.length>0) + this.$el.find('.icon-template-table').css({'background-image': 'url(' + template[0].asc_getImage() + ')', 'height': '52px', 'width': '72px', 'background-position': 'center', 'background-size': 'auto 52px'}); + this._state.currentStyleFound = false; + this.selectCurrentTableStyle(); } this._isTemplatesChanged = false; @@ -740,6 +739,67 @@ define([ !this.btnBorderColor.isAutoColor() && this.btnBorderColor.setColor(this.borderColor.getColor()); }, + selectCurrentTableStyle: function() { + if (!this.mnuTableTemplatePicker || this._state.beginPreviewStyles) return; + + var rec = this.mnuTableTemplatePicker.store.findWhere({ + templateId: this._state.TemplateId + }); + if (!rec && this._state.previewStylesCount===this.mnuTableTemplatePicker.store.length) { + rec = this.mnuTableTemplatePicker.store.at(0); + } + if (rec) { + this._state.currentStyleFound = true; + this.btnTableTemplate.suspendEvents(); + this.mnuTableTemplatePicker.selectRecord(rec, true); + this.btnTableTemplate.resumeEvents(); + this.$el.find('.icon-template-table').css({'background-image': 'url(' + rec.get("imageUrl") + ')', 'height': '52px', 'width': '72px', 'background-position': 'center', 'background-size': 'auto 52px'}); + } + }, + + onBeginTableStylesPreview: function(count){ + this._state.beginPreviewStyles = true; + this._state.currentStyleFound = false; + this._state.previewStylesCount = count; + }, + + onEndTableStylesPreview: function(){ + !this._state.currentStyleFound && this.selectCurrentTableStyle(); + if (this.mnuTableTemplatePicker) { + this.mnuTableTemplatePicker.scroller.update({alwaysVisibleY: true}); + if (this.mnuTableTemplatePicker.isVisible()) + this.mnuTableTemplatePicker.scrollToRecord(this.mnuTableTemplatePicker.getSelectedRec()); + } + }, + + onAddTableStylesPreview: function(Templates){ + var self = this; + var arr = []; + _.each(Templates, function(template){ + var tip = template.asc_getDisplayName(); + if (template.asc_getType()==0) { + ['Table Grid', 'Plain Table', 'Grid Table', 'List Table', 'Light', 'Dark', 'Colorful', 'Accent'].forEach(function(item){ + var str = 'txtTable_' + item.replace(' ', ''); + if (self[str]) + tip = tip.replace(item, self[str]); + }); + + } + arr.push({ + imageUrl: template.asc_getImage(), + id : Common.UI.getId(), + templateId: template.asc_getId(), + tip : tip + }); + }); + if (this._state.beginPreviewStyles) { + this._state.beginPreviewStyles = false; + self.mnuTableTemplatePicker.store.reset(arr); + } else + self.mnuTableTemplatePicker.store.add(arr); + !this._state.currentStyleFound && this.selectCurrentTableStyle(); + }, + onInitTableTemplates: function(){ if (this._initSettings) { this._tableTemplates = true; @@ -749,7 +809,6 @@ define([ }, _onInitTemplates: function(){ - var Templates = this.api.asc_getTableStylesPreviews(); var self = this; this._isTemplatesChanged = true; @@ -780,39 +839,11 @@ define([ }); }); this.btnTableTemplate.render($('#table-btn-template')); + this.btnTableTemplate.cmpEl.find('.icon-template-table').css({'height': '52px', 'width': '72px', 'background-position': 'center', 'background-size': 'auto 52px'}); this.lockedControls.push(this.btnTableTemplate); this.mnuTableTemplatePicker.on('item:click', _.bind(this.onTableTemplateSelect, this, this.btnTableTemplate)); } - - var count = self.mnuTableTemplatePicker.store.length; - if (count>0 && count==Templates.length) { - var data = self.mnuTableTemplatePicker.dataViewItems; - data && _.each(Templates, function(template, index){ - var img = template.asc_getImage(); - data[index].model.set('imageUrl', img, {silent: true}); - $(data[index].el).find('img').attr('src', img); - }); - } else { - var arr = []; - _.each(Templates, function(template){ - var tip = template.asc_getDisplayName(); - if (template.asc_getType()==0) { - ['Table Grid', 'Plain Table', 'Grid Table', 'List Table', 'Light', 'Dark', 'Colorful', 'Accent'].forEach(function(item){ - var str = 'txtTable_' + item.replace(' ', ''); - if (self[str]) - tip = tip.replace(item, self[str]); - }); - - } - arr.push({ - imageUrl: template.asc_getImage(), - id : Common.UI.getId(), - templateId: template.asc_getId(), - tip : tip - }); - }); - self.mnuTableTemplatePicker.store.reset(arr); - } + this.api.asc_generateTableStylesPreviews(); }, openAdvancedSettings: function(e) { @@ -899,7 +930,7 @@ define([ _.each(this.lockedControls, function(item) { item.setDisabled(disable); }); - this.linkAdvanced.toggleClass('disabled', disable); + this.linkAdvanced && this.linkAdvanced.toggleClass('disabled', disable); } }, diff --git a/apps/documenteditor/main/app/view/TextArtSettings.js b/apps/documenteditor/main/app/view/TextArtSettings.js index 5f8128e0a..a6a66bea6 100644 --- a/apps/documenteditor/main/app/view/TextArtSettings.js +++ b/apps/documenteditor/main/app/view/TextArtSettings.js @@ -108,6 +108,8 @@ define([ this.BorderSize = 0; this.BorderType = Asc.c_oDashType.solid; + this.gradientColorsStr="#000, #fff"; + this.typeGradient = 90 ; DE.getCollection('Common.Collections.TextArt').bind({ reset: this.fillTextArt.bind(this) }); @@ -278,10 +280,9 @@ define([ this.mnuDirectionPicker.restoreHeight = 174; var record = this.mnuDirectionPicker.store.findWhere({type: this.GradLinearDirectionType}); this.mnuDirectionPicker.selectRecord(record, true); - if (record) - this.btnDirection.setIconCls('item-gradient ' + record.get('iconcls')); - else - this.btnDirection.setIconCls(''); + + this.typeGradient = (record) ? this.GradLinearDirectionType + 90 : -1; + this.numGradientAngle.setValue(this.GradLinearDirectionType, true); this.numGradientAngle.setDisabled(this._locked); } else if (this.GradFillType == Asc.c_oAscFillGradType.GRAD_PATH) { @@ -290,9 +291,9 @@ define([ this.mnuDirectionPicker.restoreHeight = 58; this.mnuDirectionPicker.selectByIndex(this.GradRadialDirectionIdx, true); if (this.GradRadialDirectionIdx>=0) - this.btnDirection.setIconCls('item-gradient ' + this._viewDataRadial[this.GradRadialDirectionIdx].iconcls); + this.typeGradient = this._viewDataRadial[this.GradRadialDirectionIdx].type; else - this.btnDirection.setIconCls(''); + this.typeGradient= -1; this.numGradientAngle.setValue(0, true); this.numGradientAngle.setDisabled(true); } @@ -332,8 +333,14 @@ define([ rawData = record; } - this.btnDirection.setIconCls('item-gradient ' + rawData.iconcls); - (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) ? this.GradLinearDirectionType = rawData.type : this.GradRadialDirectionIdx = 0; + //this.btnDirection.setIconCls('item-gradient ' + rawData.iconcls); + if (this.GradFillType === Asc.c_oAscFillGradType.GRAD_LINEAR) { + this.GradLinearDirectionType = rawData.type; + this.typeGradient = rawData.type + 90; + } else { + this.GradRadialDirectionIdx = 0; + this.typeGradient = rawData.type; + } if (this.api) { if (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) { this.numGradientAngle.setValue(rawData.type, true); @@ -612,7 +619,7 @@ define([ this.onGradTypeSelect(this.cmbGradType, rec.attributes); } else { this.cmbGradType.setValue(''); - this.btnDirection.setIconCls(''); + this.typeGradient = -1; } this._state.GradFillType = this.GradFillType; } @@ -623,10 +630,7 @@ define([ this.GradLinearDirectionType=value; var record = this.mnuDirectionPicker.store.findWhere({type: value}); this.mnuDirectionPicker.selectRecord(record, true); - if (record) - this.btnDirection.setIconCls('item-gradient ' + record.get('iconcls')); - else - this.btnDirection.setIconCls(''); + this.typeGradient = (record)? value + 90 : -1; this.numGradientAngle.setValue(value, true); } } else @@ -659,10 +663,17 @@ define([ me.GradColor.values[index] = position; } }); + + var arrGrCollors=[]; + var scale=(this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR)?1:0.7; for (var index=0; index= this.GradColor.colors.length) { me.GradColor.currentIdx = 0; } @@ -830,6 +841,26 @@ define([ } }, + btnDirectionRedraw: function(slider, gradientColorsStr) { + this.gradientColorsStr = gradientColorsStr; + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = gradientColorsStr; + }); + this._viewDataRadial.gradientColorsStr = this.gradientColorsStr; + this.mnuDirectionPicker.store.each(function(item){ + item.set('gradientColorsStr', gradientColorsStr); + }, this); + + if (this.typeGradient == -1) + this.btnDirection.$icon.css({'background': 'none'}); + else if (this.typeGradient == 2) + this.btnDirection.$icon.css({'background': ('radial-gradient(' + gradientColorsStr + ')')}); + else + this.btnDirection.$icon.css({ + 'background': ('linear-gradient(' + this.typeGradient + 'deg, ' + gradientColorsStr + ')') + }); + }, + createDelayedControls: function() { var me = this; @@ -904,18 +935,21 @@ define([ this.lockedControls.push(this.cmbGradType); this._viewDataLinear = [ - { offsetx: 0, offsety: 0, type:45, subtype:-1, iconcls:'gradient-left-top' }, - { offsetx: 50, offsety: 0, type:90, subtype:4, iconcls:'gradient-top'}, - { offsetx: 100, offsety: 0, type:135, subtype:5, iconcls:'gradient-right-top'}, - { offsetx: 0, offsety: 50, type:0, subtype:6, iconcls:'gradient-left', cls: 'item-gradient-separator', selected: true}, - { offsetx: 100, offsety: 50, type:180, subtype:1, iconcls:'gradient-right'}, - { offsetx: 0, offsety: 100, type:315, subtype:2, iconcls:'gradient-left-bottom'}, - { offsetx: 50, offsety: 100, type:270, subtype:3, iconcls:'gradient-bottom'}, - { offsetx: 100, offsety: 100, type:225, subtype:7, iconcls:'gradient-right-bottom'} + { type:45, subtype:-1}, + { type:90, subtype:4}, + { type:135, subtype:5}, + { type:0, subtype:6, cls: 'item-gradient-separator', selected: true}, + { type:180, subtype:1}, + { type:315, subtype:2}, + { type:270, subtype:3}, + { type:225, subtype:7} ]; + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = me.gradientColorsStr; + }); this._viewDataRadial = [ - { offsetx: 100, offsety: 150, type:2, subtype:5, iconcls:'gradient-radial-center'} + { type:2, subtype:5, gradientColorsStr: this.gradientColorsStr} ]; this.btnDirection = new Common.UI.Button({ @@ -938,7 +972,9 @@ define([ parentMenu: btn.menu, restoreHeight: 174, store: new Common.UI.DataViewStore(me._viewDataLinear), - itemTemplate: _.template('
') + itemTemplate: _.template('
') }); }); this.btnDirection.render($('#textart-button-direction')); diff --git a/apps/documenteditor/main/app/view/Toolbar.js b/apps/documenteditor/main/app/view/Toolbar.js index 4b41fc6c3..c033aa68d 100644 --- a/apps/documenteditor/main/app/view/Toolbar.js +++ b/apps/documenteditor/main/app/view/Toolbar.js @@ -1466,6 +1466,7 @@ define([ dataHintOffset: '-16, -4', enableKeyEvents: true, additionalMenuItems: [this.listStylesAdditionalMenuItem], + delayRenderTips: true, itemTemplate: _.template([ '
', '
', diff --git a/apps/documenteditor/main/index.html b/apps/documenteditor/main/index.html index 8abc3f4b6..cadf758c8 100644 --- a/apps/documenteditor/main/index.html +++ b/apps/documenteditor/main/index.html @@ -334,6 +334,9 @@ + + + diff --git a/apps/documenteditor/main/index.html.deploy b/apps/documenteditor/main/index.html.deploy index 6a3f8f120..5d660df46 100644 --- a/apps/documenteditor/main/index.html.deploy +++ b/apps/documenteditor/main/index.html.deploy @@ -323,6 +323,9 @@ + + + diff --git a/apps/documenteditor/main/index_loader.html b/apps/documenteditor/main/index_loader.html index 990b85a3e..58261a6de 100644 --- a/apps/documenteditor/main/index_loader.html +++ b/apps/documenteditor/main/index_loader.html @@ -285,6 +285,9 @@ + + + diff --git a/apps/documenteditor/main/index_loader.html.deploy b/apps/documenteditor/main/index_loader.html.deploy index 14ec083f8..575f5d4ca 100644 --- a/apps/documenteditor/main/index_loader.html.deploy +++ b/apps/documenteditor/main/index_loader.html.deploy @@ -332,6 +332,9 @@ + + + diff --git a/apps/documenteditor/main/locale/be.json b/apps/documenteditor/main/locale/be.json index 2bbe48540..01b681768 100644 --- a/apps/documenteditor/main/locale/be.json +++ b/apps/documenteditor/main/locale/be.json @@ -18,6 +18,7 @@ "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": "Не дадаваць прамежак паміж абзацамі аднаго стылю", @@ -34,7 +35,7 @@ "Common.Controllers.ReviewChanges.textIndentRight": "Водступ справа", "Common.Controllers.ReviewChanges.textInserted": "Устаўлена:", "Common.Controllers.ReviewChanges.textItalic": "Курсіў", - "Common.Controllers.ReviewChanges.textJustify": "Па шырыні", + "Common.Controllers.ReviewChanges.textJustify": "Выраўнованне па шырыні", "Common.Controllers.ReviewChanges.textKeepLines": "Не падзяляць абзац", "Common.Controllers.ReviewChanges.textKeepNext": "Не адасобліваць ад наступнага", "Common.Controllers.ReviewChanges.textLeft": "Выраўнаваць па леваму краю", @@ -61,6 +62,7 @@ "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": "Прамежак пасля", @@ -72,24 +74,36 @@ "Common.Controllers.ReviewChanges.textTableRowsAdd": "Радкі дададзеныя ў табліцу", "Common.Controllers.ReviewChanges.textTableRowsDel": "Радкі выдаленыя з табліцы", "Common.Controllers.ReviewChanges.textTabs": "Змяніць табуляцыі", + "Common.Controllers.ReviewChanges.textTitleComparison": "Налады параўнання", "Common.Controllers.ReviewChanges.textUnderline": "Падкрэслены", "Common.Controllers.ReviewChanges.textUrl": "Устаўце URL-адрас дакумента", "Common.Controllers.ReviewChanges.textWidow": "Кіраванне акном", "Common.define.chartData.textArea": "Вобласць", + "Common.define.chartData.textAreaStackedPer": "100% з абласцямі і зводкай", "Common.define.chartData.textBar": "Лінія", "Common.define.chartData.textBarNormal3d": "Трохвымерная гістаграма з групаваннем", "Common.define.chartData.textBarNormal3dPerspective": "Трохвымерная гістаграма", "Common.define.chartData.textBarStacked3d": "Трохвымерная састаўная гістаграма", + "Common.define.chartData.textBarStackedPer": "100% слупкі са зводкай", "Common.define.chartData.textBarStackedPer3d": "Трохвымерная састаўная гістаграма 100%", "Common.define.chartData.textCharts": "Дыяграмы", "Common.define.chartData.textColumn": "Гістаграма", "Common.define.chartData.textHBarNormal3d": "Трохвымерная лінейная з групаваннем", + "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.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.textStock": "Біржа", "Common.define.chartData.textSurface": "Паверхня", "Common.Translation.warnFileLocked": "Дакумент зараз выкарыстоўваецца іншай праграмай.", + "Common.UI.ButtonColored.textAutoColor": "Аўтаматычна", + "Common.UI.ButtonColored.textNewColor": "Дадаць новы адвольны колер", "Common.UI.Calendar.textApril": "Красавік", "Common.UI.Calendar.textAugust": "Жнівень", "Common.UI.Calendar.textDecember": "Снежань", @@ -146,6 +160,8 @@ "Common.UI.SynchronizeTip.textSynchronize": "Дакумент быў зменены іншым карыстальнікам.
Націсніце, каб захаваць свае змены і загрузіць абнаўленні.", "Common.UI.ThemeColorPalette.textStandartColors": "Стандартныя колеры", "Common.UI.ThemeColorPalette.textThemeColors": "Колеры тэмы", + "Common.UI.Themes.txtThemeDark": "Цёмная", + "Common.UI.Themes.txtThemeLight": "Светлая", "Common.UI.Window.cancelButtonText": "Скасаваць", "Common.UI.Window.closeButtonText": "Закрыць", "Common.UI.Window.noButtonText": "Не", @@ -171,6 +187,8 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Спісы з адзнакамі", "Common.Views.AutoCorrectDialog.textBy": "На", "Common.Views.AutoCorrectDialog.textDelete": "Выдаліць", + "Common.Views.AutoCorrectDialog.textFLCells": "Першыя словы ў ячэйках табліцы з вялікай літары", + "Common.Views.AutoCorrectDialog.textFLSentence": "Сказы з вялікай літары", "Common.Views.AutoCorrectDialog.textHyphens": "Злучкі (--) на працяжнік (—)", "Common.Views.AutoCorrectDialog.textMathCorrect": "Аўтазамена матэматычнымі сімваламі", "Common.Views.AutoCorrectDialog.textNumbered": "Нумараваныя спісы", @@ -190,10 +208,13 @@ "Common.Views.AutoCorrectDialog.warnReset": "Любая дададзеная вамі аўтазамена будзе выдаленая, а значэнні вернуцца да прадвызначаных. Хочаце працягнуць?", "Common.Views.AutoCorrectDialog.warnRestore": "Аўтазамена для %1 скінутая да прадвызначанага значэння. Хочаце працягнуць?", "Common.Views.Chat.textSend": "Адправіць", + "Common.Views.Comments.mniAuthorAsc": "Аўтары ад А да Я", + "Common.Views.Comments.mniAuthorDesc": "Аўтары ад Я да А", "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": "Закрыць", @@ -298,6 +319,7 @@ "Common.Views.ReviewChanges.strFastDesc": "Сумеснае рэдагаванне ў рэжыме рэальнага часу. Ўсе змены захоўваюцца аўтаматычна.", "Common.Views.ReviewChanges.strStrict": "Строгі", "Common.Views.ReviewChanges.strStrictDesc": "Выкарыстоўвайце кнопку \"Захаваць\" для сінхранізацыі вашых змен і змен іншых карыстальнікаў.", + "Common.Views.ReviewChanges.textEnable": "Уключыць", "Common.Views.ReviewChanges.tipAcceptCurrent": "Ухваліць бягучыя змены", "Common.Views.ReviewChanges.tipCoAuthMode": "Уключыць рэжым сумеснага рэдагавання", "Common.Views.ReviewChanges.tipCommentRem": "Выдаліць каментары", @@ -322,6 +344,7 @@ "Common.Views.ReviewChanges.txtCommentRemMy": "Выдаліць мае каментары", "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Выдаліць мае бягучыя каментары", "Common.Views.ReviewChanges.txtCommentRemove": "Выдаліць", + "Common.Views.ReviewChanges.txtCommentResolve": "Вырашыць", "Common.Views.ReviewChanges.txtCompare": "Параўнаць", "Common.Views.ReviewChanges.txtDocLang": "Мова", "Common.Views.ReviewChanges.txtEditing": "рэдагаванне", @@ -329,7 +352,8 @@ "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.txtNext": "Далей", "Common.Views.ReviewChanges.txtOriginal": "Усе змены адкінутыя {0}", "Common.Views.ReviewChanges.txtOriginalCap": "Зыходны дакумент", @@ -363,6 +387,10 @@ "Common.Views.ReviewPopover.textOpenAgain": "Адкрыць зноў", "Common.Views.ReviewPopover.textReply": "Адказаць", "Common.Views.ReviewPopover.textResolve": "Вырашыць", + "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": "Загрузка", @@ -417,6 +445,8 @@ "Common.Views.SymbolTableDialog.textSymbols": "Сімвалы", "Common.Views.SymbolTableDialog.textTitle": "Сімвал", "Common.Views.SymbolTableDialog.textTradeMark": "Сімвал таварнага знака", + "Common.Views.UserNameDialog.textLabel": "Адмеціна:", + "Common.Views.UserNameDialog.textLabelError": "Адмеціна не можа быць пустой", "DE.Controllers.LeftMenu.leavePageText": "Усе незахаваныя змены ў гэтым дакуменце страцяцца.
Націсніце \"Скасаваць\" і \"Захаваць\", каб захаваць іх. Націсніце \"Добра\", каб адкінуць незахаваныя змены.", "DE.Controllers.LeftMenu.newDocumentTitle": "Дакумент без назвы", "DE.Controllers.LeftMenu.notcriticalErrorTitle": "Увага", @@ -472,7 +502,8 @@ "DE.Controllers.Main.errorUserDrop": "На дадзены момант файл недаступны.", "DE.Controllers.Main.errorUsersExceed": "Перасягнута колькасць карыстальнікаў, дазволеных згодна тарыфу", "DE.Controllers.Main.errorViewerDisconnect": "Злучэнне страчана. Вы зможаце праглядаць дакумент,
але не зможаце спампаваць альбо надрукаваць яго да аднаўлення злучэння і перазагрузкі старонкі.", - "DE.Controllers.Main.leavePageText": "У дакуменце ёсць незахаваныя змены. Пстрыкніце \"Застацца на гэтай старонцы\", пасля \"Захаваць\". Націсніце \"Сысці са старонкі\", каб адкінуць змены.", + "DE.Controllers.Main.leavePageText": "У дакуменце ёсць незахаваныя змены. Пстрыкніце \"Застацца на гэтай старонцы\", пасля \"Захаваць\". Націсніце \"Пакінуць старонку\", каб адкінуць змены.", + "DE.Controllers.Main.leavePageTextOnClose": "Усе незахаваныя змены ў гэтым дакуменце страцяцца.
Націсніце \"Скасаваць\" і \"Захаваць\", каб захаваць іх. Націсніце \"Добра\", каб адкінуць незахаваныя змены.", "DE.Controllers.Main.loadFontsTextText": "Загрузка даных…", "DE.Controllers.Main.loadFontsTitleText": "Загрузка даных", "DE.Controllers.Main.loadFontTextText": "Загрузка даных…", @@ -512,6 +543,8 @@ "DE.Controllers.Main.textContactUs": "Звязацца з аддзелам продажу", "DE.Controllers.Main.textConvertEquation": "Гэтае раўнанне створана ў старой версіі рэдактара раўнанняў, якая больш не падтрымліваецца. Каб змяніць раўнанне, яго неабходна пераўтварыць у фармат 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": "Загрузка дакумента", @@ -521,6 +554,7 @@ "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": "Версія змянілася", @@ -542,9 +576,9 @@ "DE.Controllers.Main.txtEvenPage": "Цотная старонка", "DE.Controllers.Main.txtFiguredArrows": "Фігурныя стрэлкі", "DE.Controllers.Main.txtFirstPage": "Першая старонка", - "DE.Controllers.Main.txtFooter": "Ніжні калантытул", + "DE.Controllers.Main.txtFooter": "Ніжні калонтытул", "DE.Controllers.Main.txtFormulaNotInTable": "Формула не ў табліцы", - "DE.Controllers.Main.txtHeader": "Верхні калантытул", + "DE.Controllers.Main.txtHeader": "Верхні калонтытул", "DE.Controllers.Main.txtHyperlink": "Гіперспасылка", "DE.Controllers.Main.txtIndTooLarge": "Індэкс занадта вялікі", "DE.Controllers.Main.txtLines": "Лініі", @@ -553,6 +587,7 @@ "DE.Controllers.Main.txtMissArg": "Аргумент адсутнічае", "DE.Controllers.Main.txtMissOperator": "Аператар адсутнічае", "DE.Controllers.Main.txtNeedSynchronize": "Ёсць абнаўленні", + "DE.Controllers.Main.txtNone": "Няма", "DE.Controllers.Main.txtNoTableOfContents": "У дакуменце няма загалоўкаў. Выкарыстайце стыль загалоўка да тэксту, каб ён з’явіўся ў змесце.", "DE.Controllers.Main.txtNoText": "Памылка! У дакуменце адсутнічае тэкст пазначанага стылю.", "DE.Controllers.Main.txtNotInTable": "Не ў табліцы", @@ -769,7 +804,7 @@ "DE.Controllers.Main.uploadDocSizeMessage": "Перасягнуты максімальны памер дакумента.", "DE.Controllers.Main.uploadImageExtMessage": "Невядомы фармат выявы.", "DE.Controllers.Main.uploadImageFileCountMessage": "Выяў не запампавана.", - "DE.Controllers.Main.uploadImageSizeMessage": "Перасягнуты максімальны памер выявы", + "DE.Controllers.Main.uploadImageSizeMessage": "Занадта вялікая выява. Максімальны памер - 25 МБ.", "DE.Controllers.Main.uploadImageTextText": "Запампоўванне выявы…", "DE.Controllers.Main.uploadImageTitleText": "Запампоўванне выявы", "DE.Controllers.Main.waitText": "Калі ласка, пачакайце...", @@ -777,12 +812,15 @@ "DE.Controllers.Main.warnBrowserZoom": "Бягучыя налады маштабу старонкі падтрымліваюцца браўзерам толькі часткова. Калі ласка, скінце да прадвызначанага значэння націснуўшы Ctrl+О.", "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.textTrackChanges": "Дакумент адкрыты з уключаным рэжымам адсочвання зменаў.", "DE.Controllers.Statusbar.tipReview": "Адсочваць змены", @@ -802,9 +840,11 @@ "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.textWarning": "Увага", + "DE.Controllers.Toolbar.tipMarkersArrow": "Маркеры-стрэлкі", "DE.Controllers.Toolbar.txtAccent_Accent": "Націск", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Стрэлка ўправа-ўлева зверху", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Стрэлка ўлева зверху", @@ -1087,7 +1127,7 @@ "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": "Ню", @@ -1179,7 +1219,7 @@ "DE.Views.ChartSettings.textUndock": "Адмацаваць ад панэлі", "DE.Views.ChartSettings.textWidth": "Шырыня", "DE.Views.ChartSettings.textWrap": "Стыль абцякання", - "DE.Views.ChartSettings.txtBehind": "За", + "DE.Views.ChartSettings.txtBehind": "За тэкстам", "DE.Views.ChartSettings.txtInFront": "Перад тэкстам", "DE.Views.ChartSettings.txtInline": "У тэксце", "DE.Views.ChartSettings.txtSquare": "Вакол", @@ -1293,8 +1333,8 @@ "DE.Views.DocumentHolder.directHText": "Гарызантальна", "DE.Views.DocumentHolder.directionText": "Напрамак тэксту", "DE.Views.DocumentHolder.editChartText": "Рэдагаваць даныя", - "DE.Views.DocumentHolder.editFooterText": "Рэдагаваць ніжні калантытул", - "DE.Views.DocumentHolder.editHeaderText": "Рэдагаваць верхні калантытул", + "DE.Views.DocumentHolder.editFooterText": "Рэдагаваць ніжні калонтытул", + "DE.Views.DocumentHolder.editHeaderText": "Рэдагаваць верхні калонтытул", "DE.Views.DocumentHolder.editHyperlinkText": "Рэдагаваць гіперспасылку", "DE.Views.DocumentHolder.guestText": "Госць", "DE.Views.DocumentHolder.hyperlinkText": "Гіперспасылка", @@ -1315,6 +1355,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": "Выдаліць гіперспасылку", @@ -1343,6 +1384,7 @@ "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": "Капіяваць", @@ -1361,6 +1403,7 @@ "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": "Пачатковае значэнне", @@ -1369,10 +1412,12 @@ "DE.Views.DocumentHolder.textRefreshField": "Абнавіць поле", "DE.Views.DocumentHolder.textRemove": "Выдаліць", "DE.Views.DocumentHolder.textRemoveControl": "Выдаліць элемент кіравання змесцівам", + "DE.Views.DocumentHolder.textRemPicture": "Выдаліць выяву", "DE.Views.DocumentHolder.textReplace": "Замяніць выяву", "DE.Views.DocumentHolder.textRotate": "Паварочванне", "DE.Views.DocumentHolder.textRotate270": "Павярнуць улева на 90°", "DE.Views.DocumentHolder.textRotate90": "Павярнуць управа на 90°", + "DE.Views.DocumentHolder.textRow": "Выдаліць увесь радок", "DE.Views.DocumentHolder.textSeparateList": "Падзяліць спіс", "DE.Views.DocumentHolder.textSettings": "Налады", "DE.Views.DocumentHolder.textSeveral": "Некалькі радкоў/слупкоў", @@ -1384,6 +1429,7 @@ "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": "Адрабіць", @@ -1392,6 +1438,7 @@ "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": "Дадаць рыску дробу", @@ -1403,7 +1450,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": "Выраўноўванне слупка", @@ -1534,7 +1581,7 @@ "DE.Views.FileMenu.btnDownloadCaption": "Спампаваць як...", "DE.Views.FileMenu.btnHelpCaption": "Даведка…", "DE.Views.FileMenu.btnHistoryCaption": "Гісторыя версій", - "DE.Views.FileMenu.btnInfoCaption": "Інфармацыя аб дакуменце…", + "DE.Views.FileMenu.btnInfoCaption": "Інфармацыя пра дакумент…", "DE.Views.FileMenu.btnPrintCaption": "Друк", "DE.Views.FileMenu.btnProtectCaption": "Абараніць", "DE.Views.FileMenu.btnRecentFilesCaption": "Адкрыць апошнія…", @@ -1547,6 +1594,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": "Дадаць тэкст", @@ -1592,7 +1641,7 @@ "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Перш чым убачыць змены іх патрэбна ухваліць", "DE.Views.FileMenuPanels.Settings.strFast": "Хуткі", "DE.Views.FileMenuPanels.Settings.strFontRender": "Хінтынг шрыфтоў", - "DE.Views.FileMenuPanels.Settings.strForcesave": "Заўсёды захоўваць на серверы (інакш захоўваць на серверы падчас закрыцця дакумента)", + "DE.Views.FileMenuPanels.Settings.strForcesave": " Дадаваць версію ў сховішча пасля націскання кнопкі \"Захаваць\" або \"Ctrl+S\"", "DE.Views.FileMenuPanels.Settings.strInputMode": "Уключыць іерогліфы", "DE.Views.FileMenuPanels.Settings.strLiveComment": "Уключыць адлюстраванне каментароў у тэксце", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Налады макрасаў", @@ -1613,7 +1662,7 @@ "DE.Views.FileMenuPanels.Settings.textAutoSave": "Аўтазахаванне", "DE.Views.FileMenuPanels.Settings.textCompatible": "Сумяшчальнасць", "DE.Views.FileMenuPanels.Settings.textDisabled": "Выключана", - "DE.Views.FileMenuPanels.Settings.textForceSave": "Захаваць на серверы", + "DE.Views.FileMenuPanels.Settings.textForceSave": "Захаванне прамежкавых версій", "DE.Views.FileMenuPanels.Settings.textMinute": "Кожную хвіліну", "DE.Views.FileMenuPanels.Settings.textOldVersions": "Зрабіць файлы сумяшчальнымі са старымі версіямі MS Word пры захаванні як DOCX", "DE.Views.FileMenuPanels.Settings.txtAll": "Праглядзець усе", @@ -1639,6 +1688,30 @@ "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.textColor": "Колер межаў", + "DE.Views.FormSettings.textCombobox": "Поле са спісам", + "DE.Views.FormSettings.textDelete": "Выдаліць", + "DE.Views.FormSettings.textFromFile": "З файла", + "DE.Views.FormSettings.textFromStorage": "Са сховішча", + "DE.Views.FormSettings.textFromUrl": "Па URL", + "DE.Views.FormSettings.textNever": "Ніколі", + "DE.Views.FormSettings.textNoBorder": "Без межаў", + "DE.Views.FormSettings.textPlaceholder": "Запаўняльнік", + "DE.Views.FormSettings.textRequired": "Патрабуецца", + "DE.Views.FormSettings.textSelectImage": "Абраць выяву", + "DE.Views.FormSettings.textTipAdd": "Дадаць новае значэнне", + "DE.Views.FormSettings.textTipDown": "Перамясціць уніз", + "DE.Views.FormSettings.textTipUp": "Перамясціць уверх", + "DE.Views.FormSettings.textWidth": "Шырыня ячэйкі", + "DE.Views.FormsTab.capBtnComboBox": "Поле са спісам", + "DE.Views.FormsTab.textCreateForm": "Дадайце палі і стварыце запаўняльны дакумент OFORM", + "DE.Views.FormsTab.textNoHighlight": "Без падсвятлення", + "DE.Views.FormsTab.tipImageField": "Уставіць выяву", + "DE.Views.FormsTab.txtUntitled": "Без назвы", "DE.Views.HeaderFooterSettings.textBottomCenter": "Знізу па цэнтры", "DE.Views.HeaderFooterSettings.textBottomLeft": "Знізу злева", "DE.Views.HeaderFooterSettings.textBottomPage": "Унізе старонкі", @@ -1646,8 +1719,8 @@ "DE.Views.HeaderFooterSettings.textDiffFirst": "Асобны для першай старонкі", "DE.Views.HeaderFooterSettings.textDiffOdd": "Асобныя для цотных і няцотных", "DE.Views.HeaderFooterSettings.textFrom": "Пачаць з", - "DE.Views.HeaderFooterSettings.textHeaderFromBottom": "Ніжні калантытул", - "DE.Views.HeaderFooterSettings.textHeaderFromTop": "Верхні калантытул", + "DE.Views.HeaderFooterSettings.textHeaderFromBottom": "Ніжні калонтытул", + "DE.Views.HeaderFooterSettings.textHeaderFromTop": "Верхні калонтытул", "DE.Views.HeaderFooterSettings.textInsertCurrent": "Уставіць на бягучай пазіцыі", "DE.Views.HeaderFooterSettings.textOptions": "Параметры", "DE.Views.HeaderFooterSettings.textPageNum": "Уставіць нумар старонкі", @@ -1689,12 +1762,13 @@ "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.txtBehind": "За тэкстам", "DE.Views.ImageSettings.txtInFront": "Перад тэкстам", "DE.Views.ImageSettings.txtInline": "У тэксце", "DE.Views.ImageSettings.txtSquare": "Вакол", @@ -1769,7 +1843,7 @@ "DE.Views.ImageSettingsAdvanced.textWeightArrows": "Лініі і стрэлкі", "DE.Views.ImageSettingsAdvanced.textWidth": "Шырыня", "DE.Views.ImageSettingsAdvanced.textWrap": "Стыль абцякання", - "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "За", + "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "За тэкстам", "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Перад тэкстам", "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "У тэксце", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Вакол", @@ -1799,9 +1873,10 @@ "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.capBtnContentsUpdate": "Абнавіць табліцу", "DE.Views.Links.capBtnCrossRef": "Перакрыжаваная спасылка", "DE.Views.Links.capBtnInsContents": "Змест", "DE.Views.Links.capBtnInsFootnote": "Зноска", @@ -1950,6 +2025,10 @@ "DE.Views.PageSizeDialog.textTitle": "Памер старонкі", "DE.Views.PageSizeDialog.textWidth": "Шырыня", "DE.Views.PageSizeDialog.txtCustom": "Адвольны", + "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": "Не дадаваць прамежак паміж абзацамі аднаго стылю", @@ -1961,6 +2040,7 @@ "DE.Views.ParagraphSettings.textAuto": "Множнік", "DE.Views.ParagraphSettings.textBackColor": "Колер фону", "DE.Views.ParagraphSettings.textExact": "Дакладна", + "DE.Views.ParagraphSettings.textFirstLine": "Першы радок", "DE.Views.ParagraphSettings.textNoneSpecial": "(няма)", "DE.Views.ParagraphSettings.txtAutoText": "Аўта", "DE.Views.ParagraphSettingsAdvanced.noTabs": "Вызначаныя табуляцыі з’явяцца ў гэтым полі", @@ -2037,7 +2117,7 @@ "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Аўта", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Без межаў", "DE.Views.RightMenu.txtChartSettings": "Налады дыяграмы", - "DE.Views.RightMenu.txtHeaderFooterSettings": "Налады верхняга і ніжняга калантытулаў", + "DE.Views.RightMenu.txtHeaderFooterSettings": "Налады верхняга і ніжняга калонтытулаў", "DE.Views.RightMenu.txtImageSettings": "Налады выявы", "DE.Views.RightMenu.txtMailMergeSettings": "Налады аб’яднання", "DE.Views.RightMenu.txtParagraphSettings": "Налады абзаца", @@ -2078,6 +2158,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": "Абраць выяву", @@ -2089,7 +2170,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": "Картон", @@ -2147,15 +2228,21 @@ "DE.Views.TableOfContentsSettings.strLinks": "Фарматаваць змест у спасылкі", "DE.Views.TableOfContentsSettings.strShowPages": "Паказаць нумары старонак", "DE.Views.TableOfContentsSettings.textBuildTable": "Стварыць змест з", + "DE.Views.TableOfContentsSettings.textBuildTableOF": "Стварыць табліцу з дапамогай", + "DE.Views.TableOfContentsSettings.textEquation": "Раўнанне", + "DE.Views.TableOfContentsSettings.textFigure": "Фігура", "DE.Views.TableOfContentsSettings.textLeader": "Запаўняльнік", "DE.Views.TableOfContentsSettings.textLevel": "Узровень", "DE.Views.TableOfContentsSettings.textLevels": "Узроўні", "DE.Views.TableOfContentsSettings.textNone": "Няма", + "DE.Views.TableOfContentsSettings.textRadioCaption": "Назва", "DE.Views.TableOfContentsSettings.textRadioLevels": "Узроўні структуры", "DE.Views.TableOfContentsSettings.textRadioStyles": "Абраныя стылі", "DE.Views.TableOfContentsSettings.textStyle": "Стыль", "DE.Views.TableOfContentsSettings.textStyles": "Стылі", + "DE.Views.TableOfContentsSettings.textTable": "Табліца", "DE.Views.TableOfContentsSettings.textTitle": "Змест", + "DE.Views.TableOfContentsSettings.txtCentered": "Па цэнтры", "DE.Views.TableOfContentsSettings.txtClassic": "Класічны", "DE.Views.TableOfContentsSettings.txtCurrent": "Бягучы", "DE.Views.TableOfContentsSettings.txtModern": "Сучасны", @@ -2289,6 +2376,7 @@ "DE.Views.TableSettingsAdvanced.txtNoBorders": "Без межаў", "DE.Views.TableSettingsAdvanced.txtPercent": "Адсотак", "DE.Views.TableSettingsAdvanced.txtPt": "Пункт", + "DE.Views.TableToTextDialog.textOther": "Іншае", "DE.Views.TextArtSettings.strColor": "Колер", "DE.Views.TextArtSettings.strFill": "Заліўка", "DE.Views.TextArtSettings.strSize": "Памер", @@ -2312,6 +2400,14 @@ "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.textOther": "Іншае", + "DE.Views.TextToTableDialog.textPara": "Абзацы", + "DE.Views.TextToTableDialog.textTableSize": "Памеры табліцы", + "DE.Views.TextToTableDialog.textWindow": "Аўтазапаўненне па шырыні акна", + "DE.Views.TextToTableDialog.txtAutoText": "Аўта", "DE.Views.Toolbar.capBtnAddComment": "Дадаць каментар", "DE.Views.Toolbar.capBtnBlankPage": "Пустая старонка", "DE.Views.Toolbar.capBtnColumns": "Слупкі", @@ -2321,7 +2417,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": "Фігура", @@ -2339,13 +2435,17 @@ "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.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": "Налады падсвятлення", @@ -2416,12 +2516,13 @@ "DE.Views.Toolbar.textSuppressForCurrentParagraph": "Адключыць для бягучага абзаца", "DE.Views.Toolbar.textTabCollaboration": "Сумесная праца", "DE.Views.Toolbar.textTabFile": "Файл", - "DE.Views.Toolbar.textTabHome": "Хатняя", - "DE.Views.Toolbar.textTabInsert": "Уставіць", + "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": "Верх:", @@ -2432,6 +2533,7 @@ "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": "Змяніць каляровую схему", @@ -2443,7 +2545,7 @@ "DE.Views.Toolbar.tipDecFont": "Паменшыць памер шрыфту", "DE.Views.Toolbar.tipDecPrLeft": "Паменшыць водступ", "DE.Views.Toolbar.tipDropCap": "Уставіць буквіцу", - "DE.Views.Toolbar.tipEditHeader": "Рэдагаваць калантытулы", + "DE.Views.Toolbar.tipEditHeader": "Рэдагаваць калонтытулы", "DE.Views.Toolbar.tipFontColor": "Колер шрыфту", "DE.Views.Toolbar.tipFontName": "Шрыфт", "DE.Views.Toolbar.tipFontSize": "Памер шрыфту", @@ -2511,6 +2613,9 @@ "DE.Views.Toolbar.txtScheme7": "Справядлівасць", "DE.Views.Toolbar.txtScheme8": "Плаваючая", "DE.Views.Toolbar.txtScheme9": "Ліцейня", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Заўсёды паказваць панэль інструментаў", + "DE.Views.ViewTab.textNavigation": "Навігацыя", + "DE.Views.ViewTab.textZoom": "Маштаб", "DE.Views.WatermarkSettingsDialog.textAuto": "Аўта", "DE.Views.WatermarkSettingsDialog.textBold": "Тоўсты", "DE.Views.WatermarkSettingsDialog.textColor": "Колер тэксту", diff --git a/apps/documenteditor/main/locale/bg.json b/apps/documenteditor/main/locale/bg.json index 7c3c6a864..976de4ca2 100644 --- a/apps/documenteditor/main/locale/bg.json +++ b/apps/documenteditor/main/locale/bg.json @@ -78,6 +78,7 @@ "Common.define.chartData.textPoint": "XY (точкова)", "Common.define.chartData.textStock": "Борсова", "Common.define.chartData.textSurface": "Повърхност", + "Common.UI.ButtonColored.textNewColor": "Нов Потребителски Цвят", "Common.UI.Calendar.textApril": "Април", "Common.UI.Calendar.textAugust": "Август", "Common.UI.Calendar.textDecember": "Декември", @@ -1035,6 +1036,8 @@ "DE.Views.BookmarksDialog.textTitle": "Отбелязани", "DE.Views.BookmarksDialog.txtInvalidName": "Името на отметката може да съдържа само букви, цифри и долни черти и трябва да започва с буквата", "DE.Views.CaptionDialog.textAdd": "Добави", + "DE.Views.CaptionDialog.textAfter": "След", + "DE.Views.CaptionDialog.textBefore": "Преди", "DE.Views.CaptionDialog.textDelete": "Изтрий", "DE.Views.CaptionDialog.textEquation": "Уравнение", "DE.Views.CellsAddDialog.textUp": "Над курсора", @@ -1418,6 +1421,8 @@ "DE.Views.FileMenuPanels.Settings.txtPt": "Точка", "DE.Views.FileMenuPanels.Settings.txtSpellCheck": "Проверка на правописа", "DE.Views.FileMenuPanels.Settings.txtWin": "като Windows", + "DE.Views.FormsTab.textHighlight": "Маркирайте настройките", + "DE.Views.FormsTab.textNoHighlight": "Няма подчертаване", "DE.Views.HeaderFooterSettings.textBottomCenter": "Долен център", "DE.Views.HeaderFooterSettings.textBottomLeft": "Долу вляво", "DE.Views.HeaderFooterSettings.textBottomPage": "В долната част на страницата", @@ -1580,6 +1585,7 @@ "DE.Views.Links.tipContentsUpdate": "Обновяване на съдържанието", "DE.Views.Links.tipInsertHyperlink": "Добави връзка", "DE.Views.Links.tipNotes": "Вмъкване или редактиране на бележки под линия", + "DE.Views.ListSettingsDialog.textAuto": "Автоматичен", "DE.Views.ListSettingsDialog.textPreview": "Предварителен преглед", "DE.Views.MailMergeEmailDlg.filePlaceholder": "PDF", "DE.Views.MailMergeEmailDlg.okButtonText": "Изпращам", @@ -1688,8 +1694,11 @@ "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.strIndentsRightText": "Прав", + "DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Специален", "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Поддържайте линиите заедно", "DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Продължете със следващия", "DE.Views.ParagraphSettingsAdvanced.strMargins": "Прокладки", @@ -1699,11 +1708,14 @@ "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.strTabs": "Табуляция", "DE.Views.ParagraphSettingsAdvanced.textAlign": "Подравняване", + "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Поне", + "DE.Views.ParagraphSettingsAdvanced.textAuto": "Многократни", "DE.Views.ParagraphSettingsAdvanced.textBackColor": "Цвят на фона", "DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Цвят", "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Кликнете върху диаграмата или използвайте бутони, за да изберете граници и да приложите избрания стил към тях", @@ -1712,6 +1724,9 @@ "DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Разстояние между знаците", "DE.Views.ParagraphSettingsAdvanced.textDefault": "Разделът по подразбиране", "DE.Views.ParagraphSettingsAdvanced.textEffects": "Ефекти", + "DE.Views.ParagraphSettingsAdvanced.textExact": "Точно", + "DE.Views.ParagraphSettingsAdvanced.textFirstLine": "Първа линия", + "DE.Views.ParagraphSettingsAdvanced.textJustified": "Двустранно", "DE.Views.ParagraphSettingsAdvanced.textLeader": "Водач", "DE.Views.ParagraphSettingsAdvanced.textLeft": "Наляво", "DE.Views.ParagraphSettingsAdvanced.textNone": "Нито един", diff --git a/apps/documenteditor/main/locale/ca.json b/apps/documenteditor/main/locale/ca.json index 58d8509dc..b88c489b2 100644 --- a/apps/documenteditor/main/locale/ca.json +++ b/apps/documenteditor/main/locale/ca.json @@ -50,7 +50,7 @@ "Common.Controllers.ReviewChanges.textNum": "Canvia la numeració", "Common.Controllers.ReviewChanges.textOff": "{0} ja no es fa servir el control de canvis.", "Common.Controllers.ReviewChanges.textOffGlobal": "{0} S'ha inhabilitat el control de canvis per a tothom.", - "Common.Controllers.ReviewChanges.textOn": "{0} ara es fa servir el control de canvis.", + "Common.Controllers.ReviewChanges.textOn": "{0} es fa servir el control de canvis.", "Common.Controllers.ReviewChanges.textOnGlobal": "{0} S'ha habilitat el control de canvis per a tothom.", "Common.Controllers.ReviewChanges.textParaDeleted": "S'ha suprimit el paràgraf", "Common.Controllers.ReviewChanges.textParaFormatted": "Paràgraf formatat", @@ -164,9 +164,9 @@ "Common.UI.ComboDataView.emptyComboText": "Sense estils", "Common.UI.ExtendedColorDialog.addButtonText": "Afegeix", "Common.UI.ExtendedColorDialog.textCurrent": "Actual", - "Common.UI.ExtendedColorDialog.textHexErr": "El valor introduït no és correcte.
Introduïu un valor entre 000000 i FFFFFF.", + "Common.UI.ExtendedColorDialog.textHexErr": "El valor introduït no és correcte.
Introduïu un valor entre 000000 i FFFFFF.", "Common.UI.ExtendedColorDialog.textNew": "Crea", - "Common.UI.ExtendedColorDialog.textRGBErr": "El valor introduït no és correcte.
Introduïu un valor numèric entre 0 i 255.", + "Common.UI.ExtendedColorDialog.textRGBErr": "El valor introduït no és correcte.
Introduïu un valor numèric entre 0 i 255.", "Common.UI.HSBColorPicker.textNoColor": "Sense color", "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Amaga la contrasenya", "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostra la contrasenya", @@ -213,6 +213,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Llistes automàtiques de pics", "Common.Views.AutoCorrectDialog.textBy": "Per", "Common.Views.AutoCorrectDialog.textDelete": "Suprimeix", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Afegiu punt amb doble espai", "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", @@ -231,9 +232,9 @@ "Common.Views.AutoCorrectDialog.textTitle": "Correcció automàtica", "Common.Views.AutoCorrectDialog.textWarnAddRec": "Les funcions reconegudes han de contenir només les lletres de la A a la Z, en majúscules o en minúscules.", "Common.Views.AutoCorrectDialog.textWarnResetRec": "Qualsevol expressió que hàgiu afegit se suprimirà i es restabliran les eliminades. Voleu continuar?", - "Common.Views.AutoCorrectDialog.warnReplace": "L'entrada de correcció automàtica de %1 ja existeix. La vols substituir?", + "Common.Views.AutoCorrectDialog.warnReplace": "L'entrada de correcció automàtica de %1 ja existeix. La voleu substituir?", "Common.Views.AutoCorrectDialog.warnReset": "Qualsevol autocorrecció que hàgiu afegit se suprimirà i les modificades es restauraran als seus valors originals. Voleu continuar?", - "Common.Views.AutoCorrectDialog.warnRestore": "L'entrada de correcció automàtica de %1 es restablirà al seu valor original. Vols continuar?", + "Common.Views.AutoCorrectDialog.warnRestore": "L'entrada de correcció automàtica de %1 es restablirà al seu valor original. Voleu continuar?", "Common.Views.Chat.textSend": "Envia", "Common.Views.Comments.mniAuthorAsc": "Autor de la A a la Z", "Common.Views.Comments.mniAuthorDesc": "Autor de la Z a la A", @@ -312,7 +313,7 @@ "Common.Views.InsertTableDialog.txtRows": "Número de files", "Common.Views.InsertTableDialog.txtTitle": "Mida de la taula", "Common.Views.InsertTableDialog.txtTitleSplit": "Divideix la cel·la", - "Common.Views.LanguageDialog.labelSelect": "Selecciona l'idioma del document", + "Common.Views.LanguageDialog.labelSelect": "Seleccioneu l'idioma del document", "Common.Views.OpenDialog.closeButtonText": "Tanca el fitxer", "Common.Views.OpenDialog.txtEncoding": "Codificació", "Common.Views.OpenDialog.txtIncorrectPwd": "La contrasenya no és correcta.", @@ -322,7 +323,7 @@ "Common.Views.OpenDialog.txtProtected": "Un cop introduïu la contrasenya i obriu el fitxer, es restablirà la contrasenya actual del fitxer.", "Common.Views.OpenDialog.txtTitle": "Tria les opcions %1", "Common.Views.OpenDialog.txtTitleProtected": "El fitxer està protegit", - "Common.Views.PasswordDialog.txtDescription": "Estableix una contrasenya per protegir aquest document", + "Common.Views.PasswordDialog.txtDescription": "Establiu una contrasenya per protegir aquest document", "Common.Views.PasswordDialog.txtIncorrectPwd": "La contrasenya de confirmació no és idèntica", "Common.Views.PasswordDialog.txtPassword": "Contrasenya", "Common.Views.PasswordDialog.txtRepeat": "Repeteix la contrasenya", @@ -332,7 +333,7 @@ "Common.Views.Plugins.groupCaption": "Complements", "Common.Views.Plugins.strPlugins": "Complements", "Common.Views.Plugins.textLoading": "S'està carregant", - "Common.Views.Plugins.textStart": "Comença", + "Common.Views.Plugins.textStart": "Inici", "Common.Views.Plugins.textStop": "Atura", "Common.Views.Protection.hintAddPwd": "Xifra amb contrasenya", "Common.Views.Protection.hintPwd": "Canvia o suprimeix la contrasenya", @@ -369,7 +370,7 @@ "Common.Views.ReviewChanges.tipHistory": "Mostra l'historial de versions", "Common.Views.ReviewChanges.tipRejectCurrent": "Rebutja el canvi actual", "Common.Views.ReviewChanges.tipReview": "Control de canvis", - "Common.Views.ReviewChanges.tipReviewView": "Selecciona la manera que vols que es mostrin els canvis", + "Common.Views.ReviewChanges.tipReviewView": "Seleccioneu la manera en què voleu que es mostrin els canvis", "Common.Views.ReviewChanges.tipSetDocLang": "Estableix l’idioma del document", "Common.Views.ReviewChanges.tipSetSpelling": "Revisió ortogràfica", "Common.Views.ReviewChanges.tipSharing": "Gestiona els drets d’accés al document", @@ -432,7 +433,7 @@ "Common.Views.ReviewPopover.textClose": "Tanca", "Common.Views.ReviewPopover.textEdit": "D'acord", "Common.Views.ReviewPopover.textFollowMove": "Segueix el moviment", - "Common.Views.ReviewPopover.textMention": "+menció proporcionarà accés al document i enviarà un correu electrònic", + "Common.Views.ReviewPopover.textMention": "+menció donarà accés al document i enviarà un correu electrònic", "Common.Views.ReviewPopover.textMentionNotify": "+menció notificarà a l'usuari per correu electrònic", "Common.Views.ReviewPopover.textOpenAgain": "Torna-ho a obrir", "Common.Views.ReviewPopover.textReply": "Respon", @@ -445,7 +446,7 @@ "Common.Views.SaveAsDlg.textLoading": "S'està carregant", "Common.Views.SaveAsDlg.textTitle": "Carpeta per desar", "Common.Views.SelectFileDlg.textLoading": "S'està carregant", - "Common.Views.SelectFileDlg.textTitle": "Selecciona l'origen de les dades", + "Common.Views.SelectFileDlg.textTitle": "Seleccioneu l'origen de les dades", "Common.Views.SignDialog.textBold": "Negreta", "Common.Views.SignDialog.textCertificate": "Certifica", "Common.Views.SignDialog.textChange": "Canvia", @@ -454,9 +455,9 @@ "Common.Views.SignDialog.textNameError": "El nom del signant no es pot quedar en blanc.", "Common.Views.SignDialog.textPurpose": "Objectiu de la signatura d'aquest document", "Common.Views.SignDialog.textSelect": "Selecciona", - "Common.Views.SignDialog.textSelectImage": "Selecciona una imatge", + "Common.Views.SignDialog.textSelectImage": "Seleccioneu una imatge", "Common.Views.SignDialog.textSignature": "La signatura es veu així", - "Common.Views.SignDialog.textTitle": "Signa el document", + "Common.Views.SignDialog.textTitle": "Signeu el document", "Common.Views.SignDialog.textUseImage": "o fes clic a \"Selecciona imatge\" per utilitzar una imatge com a signatura", "Common.Views.SignDialog.textValid": "Vàlid des de %1 fins a %2", "Common.Views.SignDialog.tipFontName": "Nom del tipus de lletra", @@ -511,6 +512,7 @@ "DE.Controllers.LeftMenu.txtCompatible": "El document es desarà amb el format nou. Podreu utilitzar totes les funcions de l'editor, però podria afectar la disposició del document.
Useu l'opció 'Compatibilitat' de la configuració avançada si voleu que els fitxers siguin compatibles amb versions anteriors de MS Word.", "DE.Controllers.LeftMenu.txtUntitled": "Sense títol", "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.Main.applyChangesTextText": "S'estan carregant els canvis...", "DE.Controllers.Main.applyChangesTitleText": "S'estan carregant els canvis", @@ -524,10 +526,10 @@ "DE.Controllers.Main.downloadTitleText": "S'està baixant el document", "DE.Controllers.Main.errorAccessDeny": "No tens permisos per realitzar aquesta acció.
Contacta amb el teu administrador del servidor de documents.", "DE.Controllers.Main.errorBadImageUrl": "L'URL de la imatge no és correcta", - "DE.Controllers.Main.errorCoAuthoringDisconnect": "S'ha perdut la connexió amb el servidor. Ara no es pot editar el document.", + "DE.Controllers.Main.errorCoAuthoringDisconnect": "S'ha perdut la connexió amb el servidor i no es pot editar el document.", "DE.Controllers.Main.errorComboSeries": "Per crear un diagrama combinat, selecciona com a mínim dues sèries de dades.", "DE.Controllers.Main.errorCompare": "La funció de comparació de documents no està disponible durant la coedició.", - "DE.Controllers.Main.errorConnectToServer": "No s'ha pogut desar el document. Comproveu la configuració de la connexió o contacteu amb l'administrador.
Quan feu clic al botó \"D'acord\", se us demanarà que descarregueu el document.", + "DE.Controllers.Main.errorConnectToServer": "No s'ha pogut desar el document. Comproveu la configuració de la connexió o contacteu amb l'administrador.
Quan feu clic al botó \"D'acord\", se us demanarà que descarregueu el document.", "DE.Controllers.Main.errorDatabaseConnection": "Error extern.
Error de connexió amb la base de dades. Contacteu amb l'assistència tècnica en cas que l'error continuï.", "DE.Controllers.Main.errorDataEncrypted": "S'han rebut canvis xifrats, que no es poden desxifrar.", "DE.Controllers.Main.errorDataRange": "L'interval de dades no és correcte.", @@ -537,7 +539,7 @@ "DE.Controllers.Main.errorEditingSaveas": "S'ha produït un error mentre es treballava amb el document.
Utilitzeu l'opció \"Desar com a ...\" per desar la còpia de seguretat del fitxer al disc dur de l’ordinador.", "DE.Controllers.Main.errorEmailClient": "No s'ha trobat cap client de correu electrònic", "DE.Controllers.Main.errorFilePassProtect": "El fitxer està protegit amb contrasenya i no es pot obrir.", - "DE.Controllers.Main.errorFileSizeExceed": "La mida del fitxer supera el límit establert pel teu servidor. Contacta amb el teu administrador del servidor de documents per obtenir més informació.", + "DE.Controllers.Main.errorFileSizeExceed": "La mida del fitxer supera el límit establert pel servidor. Contacteu amb l'administrador del servidor de documents per obtenir més informació.", "DE.Controllers.Main.errorForceSave": "S'ha produït un error en desar el fitxer. Utilitzeu l'opció \"Baixa-ho com a\" per desar el fitxer al disc dur de l’ordinador o torneu-ho a provar més endavant.", "DE.Controllers.Main.errorKeyEncrypt": "Descriptor de claus desconegut", "DE.Controllers.Main.errorKeyExpire": "El descriptor de claus ha caducat", @@ -552,12 +554,12 @@ "DE.Controllers.Main.errorSetPassword": "No s'ha pogut establir la contrasenya.", "DE.Controllers.Main.errorStockChart": "L'ordre de fila no és correcte. Per crear un gràfic de valors, col·loqueu les dades del full en l’ordre següent:
preu d’obertura, preu màxim, preu mínim, preu de tancament.", "DE.Controllers.Main.errorSubmit": "No s'ha pogut enviar.", - "DE.Controllers.Main.errorToken": "El testimoni de seguretat del document no s'ha format correctament.
Contacteu amb el vostre administrador del servidor de documents.", + "DE.Controllers.Main.errorToken": "El testimoni de seguretat del document no s'ha format correctament.
Contacteu amb l'administrador del servidor de documents.", "DE.Controllers.Main.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacteu amb l'administrador del servidor de documents.", "DE.Controllers.Main.errorUpdateVersion": "S'ha canviat la versió del fitxer. La pàgina es tornarà a carregar.", "DE.Controllers.Main.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.", - "DE.Controllers.Main.errorUserDrop": "Ara no es pot accedir al fitxer.", - "DE.Controllers.Main.errorUsersExceed": "S'ha superat el nombre d’usuaris que permet el teu pla", + "DE.Controllers.Main.errorUserDrop": "No es pot accedir al fitxer.", + "DE.Controllers.Main.errorUsersExceed": "S'ha superat el nombre d’usuaris que permet el vostre pla", "DE.Controllers.Main.errorViewerDisconnect": "S'ha perdut la connexió. Encara podeu visualitzar el document,
però no el podreu baixar ni imprimir fins que no es restableixi la connexió i es torni a carregar la pàgina.", "DE.Controllers.Main.leavePageText": "Has fet canvis en aquest document que no s'han desat. Fes clic a \"Queda't en aquesta pàgina\" i, a continuació, \"Desar\" per desar-les. Fes clic a \"Deixar aquesta pàgina\" per descartar tots els canvis que no s'hagin desat.", "DE.Controllers.Main.leavePageTextOnClose": "Els canvis d'aquest document que no s'hagin desat es perdran.
Fes clic a \"Cancel·lar\" i, a continuació, \"Desar\" per desar-los. Fes clic a \"D'acord\" per descartar tots els canvis que no s'hagin desat.", @@ -581,7 +583,7 @@ "DE.Controllers.Main.printTitleText": "S'està imprimint el document", "DE.Controllers.Main.reloadButtonText": "Torna a carregar la pàgina", "DE.Controllers.Main.requestEditFailedMessageText": "Algú té obert aquest document. Intenteu-ho més tard.", - "DE.Controllers.Main.requestEditFailedTitleText": "Accés denegat", + "DE.Controllers.Main.requestEditFailedTitleText": "S'ha denegat l'accés", "DE.Controllers.Main.saveErrorText": "S'ha produït un error en desar el fitxer.", "DE.Controllers.Main.saveErrorTextDesktop": "Aquest fitxer no es pot desar o crear.
Les possibles raons són:
1. El fitxer és només de lectura.
2. El fitxer és en aquests moments obert per altres usuaris.
3. El disc és ple o s'ha fet malbé.", "DE.Controllers.Main.saveTextText": "S'està desant el document...", @@ -603,7 +605,7 @@ "DE.Controllers.Main.textCustomLoader": "Tingueu en compte que, segons els termes de la llicència, no teniu dret a canviar el carregador.
Contacteu amb el nostre departament de vendes per obtenir un pressupost.", "DE.Controllers.Main.textDisconnect": "S'ha perdut la connexió", "DE.Controllers.Main.textGuest": "Convidat", - "DE.Controllers.Main.textHasMacros": "El fitxer conté macros automàtiques.
Les vols executar?", + "DE.Controllers.Main.textHasMacros": "El fitxer conté macros automàtiques.
Les voleu executar?", "DE.Controllers.Main.textLearnMore": "Més informació", "DE.Controllers.Main.textLoadingDocument": "S'està carregant el document", "DE.Controllers.Main.textLongName": "Introduïu un nom que tingui menys de 128 caràcters.", @@ -875,7 +877,7 @@ "DE.Controllers.Main.uploadImageTextText": "S'està carregant la imatge...", "DE.Controllers.Main.uploadImageTitleText": "S'està carregant la imatge", "DE.Controllers.Main.waitText": "Espereu...", - "DE.Controllers.Main.warnBrowserIE9": "L’aplicació té poca capacitat en IE9. Utilitza IE10 o superior", + "DE.Controllers.Main.warnBrowserIE9": "L’aplicació té poca capacitat en IE9. Utilitzeu IE10 o superior", "DE.Controllers.Main.warnBrowserZoom": "La configuració de zoom actual del navegador no és compatible del tot. Restableix el zoom per defecte tot prement Ctrl+0.", "DE.Controllers.Main.warnLicenseExceeded": "Has arribat al límit de connexions simultànies amb %1 editors. Aquest document només s'obrirà en mode lectura.
Contacta amb el teu administrador per obtenir més informació.", "DE.Controllers.Main.warnLicenseExp": "La teva llicència ha caducat.
Actualitza la llicència i torna a carregar la pàgina.", @@ -887,20 +889,20 @@ "DE.Controllers.Main.warnProcessRightsChange": "No tens permís per editar el fitxer.", "DE.Controllers.Navigation.txtBeginning": "Inici del document", "DE.Controllers.Navigation.txtGotoBeginning": "Ves al començament del document", - "DE.Controllers.Statusbar.textDisconnect": "S'ha perdut la connexió. S'està intentat connectar. Comproveu la configuració de connexió", + "DE.Controllers.Statusbar.textDisconnect": "S'ha perdut la connexió. S'intenta connectar. Comproveu la configuració de connexió", "DE.Controllers.Statusbar.textHasChanges": "S'ha fet un seguiment dels canvis nous", "DE.Controllers.Statusbar.textSetTrackChanges": "Ets en mode de control de canvis", "DE.Controllers.Statusbar.textTrackChanges": "El document s'ha obert amb el mode de seguiment de canvis activat", "DE.Controllers.Statusbar.tipReview": "Control de canvis", "DE.Controllers.Statusbar.zoomText": "Zoom {0}%", - "DE.Controllers.Toolbar.confirmAddFontName": "El tipus de lletra que desaràs no està disponible al dispositiu actual.
L'estil de text es mostrarà amb un dels tipus de lletra del sistema, el tipus de lletra desat s'utilitzarà quan estigui disponible.
Vols continuar?", + "DE.Controllers.Toolbar.confirmAddFontName": "El tipus de lletra que desareu no està disponible al dispositiu actual.
L'estil de text es mostrarà amb un dels tipus de lletra del sistema, el tipus de lletra desat s'utilitzarà quan estigui disponible.
Voleu continuar ?", "DE.Controllers.Toolbar.dataUrl": "Enganxa un URL de dades", "DE.Controllers.Toolbar.notcriticalErrorTitle": "Advertiment", "DE.Controllers.Toolbar.textAccent": "Accents", "DE.Controllers.Toolbar.textBracket": "Claudàtors", "DE.Controllers.Toolbar.textEmptyImgUrl": "Cal especificar l'URL de la imatge.", "DE.Controllers.Toolbar.textEmptyMMergeUrl": "Cal especificar l’URL.", - "DE.Controllers.Toolbar.textFontSizeErr": "El valor introduït no és correcte.
Introduïu un valor numèric entre 1 i 300.", + "DE.Controllers.Toolbar.textFontSizeErr": "El valor introduït no és correcte.
Introduïu un valor numèric entre 1 i 300.", "DE.Controllers.Toolbar.textFraction": "Fraccions", "DE.Controllers.Toolbar.textFunction": "Funcions", "DE.Controllers.Toolbar.textGroup": "Agrupa", @@ -1432,7 +1434,7 @@ "DE.Views.DocumentHolder.insertRowText": "Insereix una fila", "DE.Views.DocumentHolder.insertText": "Insereix", "DE.Views.DocumentHolder.keepLinesText": "Conserva les línies juntes", - "DE.Views.DocumentHolder.langText": "Selecciona l'idioma", + "DE.Views.DocumentHolder.langText": "Seleccioneu l'idioma", "DE.Views.DocumentHolder.leftText": "Esquerra", "DE.Views.DocumentHolder.loadSpellText": "S'estan carregant les variants", "DE.Views.DocumentHolder.mergeCellsText": "Combina les cel·les", @@ -1445,10 +1447,10 @@ "DE.Views.DocumentHolder.rightText": "Dreta", "DE.Views.DocumentHolder.rowText": "Fila", "DE.Views.DocumentHolder.saveStyleText": "Crea un estil nou", - "DE.Views.DocumentHolder.selectCellText": "Selecciona la cel·la", - "DE.Views.DocumentHolder.selectColumnText": "Selecciona la columna", - "DE.Views.DocumentHolder.selectRowText": "Selecciona una fila", - "DE.Views.DocumentHolder.selectTableText": "Selecciona una taula", + "DE.Views.DocumentHolder.selectCellText": "Seleccioneu la cel·la", + "DE.Views.DocumentHolder.selectColumnText": "Seleccioneu la columna", + "DE.Views.DocumentHolder.selectRowText": "Seleccioneu una fila", + "DE.Views.DocumentHolder.selectTableText": "Seleccioneu una taula", "DE.Views.DocumentHolder.selectText": "Selecciona", "DE.Views.DocumentHolder.shapeText": "Configuració avançada de la forma", "DE.Views.DocumentHolder.spellcheckText": "Revisió ortogràfica", @@ -1460,6 +1462,7 @@ "DE.Views.DocumentHolder.strSign": "Signa", "DE.Views.DocumentHolder.styleText": "Format d'estil", "DE.Views.DocumentHolder.tableText": "Taula", + "DE.Views.DocumentHolder.textAccept": "Accepteu el canvi", "DE.Views.DocumentHolder.textAlign": "Alineació", "DE.Views.DocumentHolder.textArrange": "Organitza", "DE.Views.DocumentHolder.textArrangeBack": "Envia al fons", @@ -1494,6 +1497,7 @@ "DE.Views.DocumentHolder.textPaste": "Enganxa", "DE.Views.DocumentHolder.textPrevPage": "Pàgina anterior", "DE.Views.DocumentHolder.textRefreshField": "Actualitza el camp", + "DE.Views.DocumentHolder.textReject": "Rebutjeu el canvi", "DE.Views.DocumentHolder.textRemCheckBox": "Suprimeix la casella de selecció", "DE.Views.DocumentHolder.textRemComboBox": "Suprimeix el quadre combinat", "DE.Views.DocumentHolder.textRemDropdown": "Suprimeix el desplegable", @@ -1522,7 +1526,7 @@ "DE.Views.DocumentHolder.textTOC": "Taula de continguts", "DE.Views.DocumentHolder.textTOCSettings": "Configuració de la taula de continguts", "DE.Views.DocumentHolder.textUndo": "Desfés", - "DE.Views.DocumentHolder.textUpdateAll": "Actualitza la taula sencera", + "DE.Views.DocumentHolder.textUpdateAll": "Actualitza tota la taula", "DE.Views.DocumentHolder.textUpdatePages": "Actualitza només els números de pàgina", "DE.Views.DocumentHolder.textUpdateTOC": "Actualitza la taula de continguts", "DE.Views.DocumentHolder.textWrap": "Estil d'ajustament", @@ -1690,7 +1694,7 @@ "DE.Views.FileMenu.btnRightsCaption": "Drets d'accés ...", "DE.Views.FileMenu.btnSaveAsCaption": "Desa-ho com", "DE.Views.FileMenu.btnSaveCaption": "Desa", - "DE.Views.FileMenu.btnSaveCopyAsCaption": "Desa còpia com a...", + "DE.Views.FileMenu.btnSaveCopyAsCaption": "Desa la còpia com a...", "DE.Views.FileMenu.btnSettingsCaption": "Configuració avançada...", "DE.Views.FileMenu.btnToEditCaption": "Edita el document", "DE.Views.FileMenu.textDownload": "Baixa", @@ -1822,7 +1826,7 @@ "DE.Views.FormSettings.textRadiobox": "Botó d'opció", "DE.Views.FormSettings.textRequired": "Necessari", "DE.Views.FormSettings.textScale": "Quan s'ajusta a escala", - "DE.Views.FormSettings.textSelectImage": "Selecciona una imatge", + "DE.Views.FormSettings.textSelectImage": "Seleccioneu una imatge", "DE.Views.FormSettings.textTip": "Consell", "DE.Views.FormSettings.textTipAdd": "Afegeix un valor nou", "DE.Views.FormSettings.textTipDelete": "Suprimeix el valor", @@ -1870,7 +1874,7 @@ "DE.Views.HeaderFooterSettings.textBottomRight": "Part inferior dreta", "DE.Views.HeaderFooterSettings.textDiffFirst": "Primera pàgina diferent", "DE.Views.HeaderFooterSettings.textDiffOdd": "Pàgines senars i parells diferents", - "DE.Views.HeaderFooterSettings.textFrom": "Començar a", + "DE.Views.HeaderFooterSettings.textFrom": "Inicia a", "DE.Views.HeaderFooterSettings.textHeaderFromBottom": "Peu de pàgina inferior", "DE.Views.HeaderFooterSettings.textHeaderFromTop": "Capçalera de dalt", "DE.Views.HeaderFooterSettings.textInsertCurrent": "Insereix en la posició actual", @@ -2027,12 +2031,12 @@ "DE.Views.LineNumbersDialog.textRestartEachPage": "Torna a començar a cada pàgina", "DE.Views.LineNumbersDialog.textRestartEachSection": "Torna a començar a cada secció", "DE.Views.LineNumbersDialog.textSection": "Secció actual", - "DE.Views.LineNumbersDialog.textStartAt": "Comença a", + "DE.Views.LineNumbersDialog.textStartAt": "Inicia a", "DE.Views.LineNumbersDialog.textTitle": "Números de línia", "DE.Views.LineNumbersDialog.txtAutoText": "Automàtic", "DE.Views.Links.capBtnBookmarks": "Marcador", "DE.Views.Links.capBtnCaption": "Llegenda", - "DE.Views.Links.capBtnContentsUpdate": "Actualitza", + "DE.Views.Links.capBtnContentsUpdate": "Actualitza la taula", "DE.Views.Links.capBtnCrossRef": "Referència creuada", "DE.Views.Links.capBtnInsContents": "Taula de continguts", "DE.Views.Links.capBtnInsFootnote": "Nota al peu de pàgina", @@ -2052,7 +2056,7 @@ "DE.Views.Links.textGotoEndnote": "Ves a notes al final", "DE.Views.Links.textGotoFootnote": "Ves a notes al peu de pàgina", "DE.Views.Links.textSwapNotes": "Intercanvia les notes al peu de pàgina i les notes Finals", - "DE.Views.Links.textUpdateAll": "Actualitza la taula sencera", + "DE.Views.Links.textUpdateAll": "Actualitza tota la taula", "DE.Views.Links.textUpdatePages": "Actualitza només els números de pàgina", "DE.Views.Links.tipBookmarks": "Crea un marcador", "DE.Views.Links.tipCaption": "Insereix una llegenda", @@ -2138,7 +2142,7 @@ "DE.Views.Navigation.txtHeadingBefore": "Crea un títol abans", "DE.Views.Navigation.txtNewHeading": "Crea un subtítol", "DE.Views.Navigation.txtPromote": "Augmenta de nivell", - "DE.Views.Navigation.txtSelect": "Selecciona el contingut", + "DE.Views.Navigation.txtSelect": "Seleccioneu el contingut", "DE.Views.NoteSettingsDialog.textApply": "Aplica", "DE.Views.NoteSettingsDialog.textApplyTo": "Aplica els canvis a", "DE.Views.NoteSettingsDialog.textContinue": "Continu", @@ -2157,7 +2161,7 @@ "DE.Views.NoteSettingsDialog.textPageBottom": "Final de la pàgina", "DE.Views.NoteSettingsDialog.textSectEnd": "Fi de la secció", "DE.Views.NoteSettingsDialog.textSection": "Secció actual", - "DE.Views.NoteSettingsDialog.textStart": "Començar a", + "DE.Views.NoteSettingsDialog.textStart": "Inicia a", "DE.Views.NoteSettingsDialog.textTextBottom": "Per sota del text", "DE.Views.NoteSettingsDialog.textTitle": "Configuració de notes", "DE.Views.NotesRemoveDialog.textEnd": "Suprimeix totes les notes al final", @@ -2307,7 +2311,7 @@ "DE.Views.ShapeSettings.strType": "Tipus", "DE.Views.ShapeSettings.textAdvanced": "Mostra la configuració avançada", "DE.Views.ShapeSettings.textAngle": "Angle", - "DE.Views.ShapeSettings.textBorderSizeErr": "El valor introduït no és correcte.
Introduïu un valor entre 0 pt i 1584 pt.", + "DE.Views.ShapeSettings.textBorderSizeErr": "El valor introduït no és correcte.
Introduïu un valor entre 0 pt i 1584 pt.", "DE.Views.ShapeSettings.textColor": "Color d'emplenament", "DE.Views.ShapeSettings.textDirection": "Direcció", "DE.Views.ShapeSettings.textEmptyPattern": "Sense patró", @@ -2330,7 +2334,7 @@ "DE.Views.ShapeSettings.textRecentlyUsed": "S'ha utilitzat recentment", "DE.Views.ShapeSettings.textRotate90": "Gira 90°", "DE.Views.ShapeSettings.textRotation": "Rotació", - "DE.Views.ShapeSettings.textSelectImage": "Selecciona una imatge", + "DE.Views.ShapeSettings.textSelectImage": "Seleccioneu una imatge", "DE.Views.ShapeSettings.textSelectTexture": "Selecciona", "DE.Views.ShapeSettings.textStretch": "Estira", "DE.Views.ShapeSettings.textStyle": "Estil", @@ -2378,6 +2382,8 @@ "DE.Views.Statusbar.pageIndexText": "Pàgina {0} de {1}", "DE.Views.Statusbar.tipFitPage": "Ajusta-ho a la pàgina", "DE.Views.Statusbar.tipFitWidth": "Ajusta-ho a l'amplària", + "DE.Views.Statusbar.tipHandTool": "Eina manual", + "DE.Views.Statusbar.tipSelectTool": "Seleccioneu l'eina", "DE.Views.Statusbar.tipSetLang": "Estableix l'idioma del text", "DE.Views.Statusbar.tipZoomFactor": "Zoom", "DE.Views.Statusbar.tipZoomIn": "Amplia", @@ -2410,7 +2416,7 @@ "DE.Views.TableOfContentsSettings.textRadioCaption": "Llegenda", "DE.Views.TableOfContentsSettings.textRadioLevels": "Nivell d'esquemes", "DE.Views.TableOfContentsSettings.textRadioStyle": "Estil", - "DE.Views.TableOfContentsSettings.textRadioStyles": "Selecciona els estils", + "DE.Views.TableOfContentsSettings.textRadioStyles": "Seleccioneu els estils", "DE.Views.TableOfContentsSettings.textStyle": "Estil", "DE.Views.TableOfContentsSettings.textStyles": "Estils", "DE.Views.TableOfContentsSettings.textTable": "Taula", @@ -2433,10 +2439,10 @@ "DE.Views.TableSettings.insertRowAboveText": "Insereix una fila a dalt", "DE.Views.TableSettings.insertRowBelowText": "Insereix una fila a baix", "DE.Views.TableSettings.mergeCellsText": "Combina les cel·les", - "DE.Views.TableSettings.selectCellText": "Selecciona la cel·la", - "DE.Views.TableSettings.selectColumnText": "Selecciona la columna", - "DE.Views.TableSettings.selectRowText": "Selecciona una fila", - "DE.Views.TableSettings.selectTableText": "Selecciona una taula", + "DE.Views.TableSettings.selectCellText": "Seleccioneu la cel·la", + "DE.Views.TableSettings.selectColumnText": "Seleccioneu la columna", + "DE.Views.TableSettings.selectRowText": "Seleccioneu una fila", + "DE.Views.TableSettings.selectTableText": "Seleccioneu una taula", "DE.Views.TableSettings.splitCellsText": "Divideix la cel·la...", "DE.Views.TableSettings.splitCellTitleText": "Divideix la cel·la", "DE.Views.TableSettings.strRepeatRow": "Repeteix com a fila de capçalera al principi de cada pàgina", @@ -2458,8 +2464,8 @@ "DE.Views.TableSettings.textHeight": "Alçada", "DE.Views.TableSettings.textLast": "Últim", "DE.Views.TableSettings.textRows": "Files", - "DE.Views.TableSettings.textSelectBorders": "Selecciona les vores que vulguis canviar tot aplicant l'estil escollit anteriorment", - "DE.Views.TableSettings.textTemplate": "Selecciona de plantilla", + "DE.Views.TableSettings.textSelectBorders": "Seleccioneu les vores que vulgueu canviar tot aplicant l'estil escollit anteriorment", + "DE.Views.TableSettings.textTemplate": "Seleccioneu des d'una plantilla", "DE.Views.TableSettings.textTotal": "Total", "DE.Views.TableSettings.textWidth": "Amplada", "DE.Views.TableSettings.tipAll": "Estableix el límit exterior i totes les línies interiors", @@ -2568,7 +2574,7 @@ "DE.Views.TextArtSettings.strTransparency": "Opacitat", "DE.Views.TextArtSettings.strType": "Tipus", "DE.Views.TextArtSettings.textAngle": "Angle", - "DE.Views.TextArtSettings.textBorderSizeErr": "El valor introduït no és correcte.
Introduïu un valor entre 0 pt i 1584 pt.", + "DE.Views.TextArtSettings.textBorderSizeErr": "El valor introduït no és correcte.
Introduïu un valor entre 0 pt i 1584 pt.", "DE.Views.TextArtSettings.textColor": "Color d'emplenament", "DE.Views.TextArtSettings.textDirection": "Direcció", "DE.Views.TextArtSettings.textGradient": "Degradat", @@ -2835,7 +2841,7 @@ "DE.Views.WatermarkSettingsDialog.textLayout": "Disposició", "DE.Views.WatermarkSettingsDialog.textNone": "Cap", "DE.Views.WatermarkSettingsDialog.textScale": "Escala", - "DE.Views.WatermarkSettingsDialog.textSelect": "Selecciona una imatge", + "DE.Views.WatermarkSettingsDialog.textSelect": "Seleccioneu una imatge", "DE.Views.WatermarkSettingsDialog.textStrikeout": "Ratllat", "DE.Views.WatermarkSettingsDialog.textText": "Text", "DE.Views.WatermarkSettingsDialog.textTextW": "Filigrana de text", diff --git a/apps/documenteditor/main/locale/cs.json b/apps/documenteditor/main/locale/cs.json index e5ba7afef..a865066a9 100644 --- a/apps/documenteditor/main/locale/cs.json +++ b/apps/documenteditor/main/locale/cs.json @@ -168,6 +168,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nová", "Common.UI.ExtendedColorDialog.textRGBErr": "Zadaná hodnota není správná.
Zadejte hodnotu z rozmezi 0 až 255.", "Common.UI.HSBColorPicker.textNoColor": "Bez barvy", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Skrýt heslo", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Zobrazit heslo", "Common.UI.SearchDialog.textHighlight": "Zvýraznit výsledky", "Common.UI.SearchDialog.textMatchCase": "Rozlišovat malá a velká písmena", "Common.UI.SearchDialog.textReplaceDef": "Zadejte text, kterým nahradit", @@ -181,7 +183,7 @@ "Common.UI.SynchronizeTip.textDontShow": "Tuto zprávu už nezobrazovat", "Common.UI.SynchronizeTip.textSynchronize": "Dokument byl mezitím změněn jiným uživatelem.
Kliknutím uložte změny provedené vámi a načtení těch od ostatních.", "Common.UI.ThemeColorPalette.textStandartColors": "Standardní barvy", - "Common.UI.ThemeColorPalette.textThemeColors": "Barvy motivu vzhledu", + "Common.UI.ThemeColorPalette.textThemeColors": "Barvy vzhledu prostředí", "Common.UI.Themes.txtThemeClassicLight": "Standartní světlost", "Common.UI.Themes.txtThemeDark": "Tmavé", "Common.UI.Themes.txtThemeLight": "Světlé", @@ -211,6 +213,8 @@ "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", "Common.Views.AutoCorrectDialog.textHyphens": "Spojovníky (--) s pomlčkou (—)", @@ -236,12 +240,14 @@ "Common.Views.Comments.mniAuthorDesc": "Autor Z až A", "Common.Views.Comments.mniDateAsc": "Nejstarší", "Common.Views.Comments.mniDateDesc": "Nejnovější", + "Common.Views.Comments.mniFilterGroups": "Filtrovat podle skupiny", "Common.Views.Comments.mniPositionAsc": "Shora", "Common.Views.Comments.mniPositionDesc": "Zdola", "Common.Views.Comments.textAdd": "Přidat", "Common.Views.Comments.textAddComment": "Přidat komentář", "Common.Views.Comments.textAddCommentToDoc": "Přidat komentář do dokumentu", "Common.Views.Comments.textAddReply": "Přidat odpověď", + "Common.Views.Comments.textAll": "Vše", "Common.Views.Comments.textAnonym": "Návštěvník", "Common.Views.Comments.textCancel": "Zrušit", "Common.Views.Comments.textClose": "Zavřít", @@ -255,6 +261,7 @@ "Common.Views.Comments.textResolve": "Vyřešit", "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.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", @@ -431,6 +438,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Znovu otevřít", "Common.Views.ReviewPopover.textReply": "Odpovědět", "Common.Views.ReviewPopover.textResolve": "Vyřešit", + "Common.Views.ReviewPopover.textViewResolved": "Nemáte oprávnění pro opětovné otevírání komentářů", "Common.Views.ReviewPopover.txtAccept": "Přijmout", "Common.Views.ReviewPopover.txtDeleteTip": "Smazat", "Common.Views.ReviewPopover.txtEditTip": "Upravit", @@ -504,6 +512,7 @@ "DE.Controllers.LeftMenu.txtCompatible": "Dokument bude uložen v novém formátu. Umožní vám využít všechny funkce editoru, ale může ovlivnit rozvržení dokumentu.
Pokud chcete, aby soubory byly kompatibilní se staršími verzemi MS Word, použijte volbu „Kompatibilita“ v pokročilých nastaveních.", "DE.Controllers.LeftMenu.txtUntitled": "Bez názvu", "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.Main.applyChangesTextText": "Načítání změn…", "DE.Controllers.Main.applyChangesTitleText": "Načítání změn", @@ -602,6 +611,7 @@ "DE.Controllers.Main.textLongName": "Zadejte jméno, které má méně než 128 znaků.", "DE.Controllers.Main.textNoLicenseTitle": "Došlo k dosažení limitu licence", "DE.Controllers.Main.textPaidFeature": "Placená funkce", + "DE.Controllers.Main.textReconnect": "Spojení je obnoveno", "DE.Controllers.Main.textRemember": "Zapamatovat mou volbu", "DE.Controllers.Main.textRenameError": "Jméno uživatele nesmí být prázdné. ", "DE.Controllers.Main.textRenameLabel": "Zadejte jméno, které bude použito pro spolupráci", @@ -800,16 +810,16 @@ "DE.Controllers.Main.txtShape_snip2SameRect": "Obdélník se dvěma ustřiženými rohy na stejné straně", "DE.Controllers.Main.txtShape_snipRoundRect": "Obdélník s jedním zaobleným a jedním ustřiženým rohem na stejné straně", "DE.Controllers.Main.txtShape_spline": "Křivka", - "DE.Controllers.Main.txtShape_star10": "Hvězda s 10 cípy", - "DE.Controllers.Main.txtShape_star12": "Hvězda s 12 cípy", - "DE.Controllers.Main.txtShape_star16": "Hvězda se 16 cípy", - "DE.Controllers.Main.txtShape_star24": "Hvězda se 24 cípy", - "DE.Controllers.Main.txtShape_star32": "Hvězda s 32 cípy", - "DE.Controllers.Main.txtShape_star4": "Hvězda se 4 cípy", - "DE.Controllers.Main.txtShape_star5": "Hvězda s 5 cípy", - "DE.Controllers.Main.txtShape_star6": "Hvězda se 6 cípy", - "DE.Controllers.Main.txtShape_star7": "Hvězda se 7 cípy", - "DE.Controllers.Main.txtShape_star8": "Hvězda s 8 cípy", + "DE.Controllers.Main.txtShape_star10": "Hvězda s 10 paprsky", + "DE.Controllers.Main.txtShape_star12": "Hvězda s 12 paprsky", + "DE.Controllers.Main.txtShape_star16": "Hvězda s 16 paprsky", + "DE.Controllers.Main.txtShape_star24": "Hvězda se 24 paprsky", + "DE.Controllers.Main.txtShape_star32": "Hvězda se 32 paprsky", + "DE.Controllers.Main.txtShape_star4": "Hvězda se 4 paprsky", + "DE.Controllers.Main.txtShape_star5": "Hvězda s 5 paprsky", + "DE.Controllers.Main.txtShape_star6": "Hvězda se 6 paprsky", + "DE.Controllers.Main.txtShape_star7": "Hvězda se 7 paprsky", + "DE.Controllers.Main.txtShape_star8": "Hvězda s 8 paprsky", "DE.Controllers.Main.txtShape_stripedRightArrow": "Proužkovaná šipka vpravo", "DE.Controllers.Main.txtShape_sun": "Slunce", "DE.Controllers.Main.txtShape_teardrop": "Slza", @@ -879,6 +889,7 @@ "DE.Controllers.Main.warnProcessRightsChange": "Bylo vám odepřeno oprávnění soubor upravovat.", "DE.Controllers.Navigation.txtBeginning": "Začátek dokumentu", "DE.Controllers.Navigation.txtGotoBeginning": "Přejít na začátek dokumentu", + "DE.Controllers.Statusbar.textDisconnect": "Spojení je ztraceno
Pokus o opětovné připojení. Zkontrolujte nastavení připojení.", "DE.Controllers.Statusbar.textHasChanges": "Byly zaznamenány nové změny", "DE.Controllers.Statusbar.textSetTrackChanges": "Jste v módu sledování změn", "DE.Controllers.Statusbar.textTrackChanges": "Dokument je otevřen v režimu sledování změn", @@ -902,10 +913,22 @@ "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": "Skripty", "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", @@ -1439,6 +1462,7 @@ "DE.Views.DocumentHolder.strSign": "Podepsat", "DE.Views.DocumentHolder.styleText": "Formátování jako styl", "DE.Views.DocumentHolder.tableText": "Tabulka", + "DE.Views.DocumentHolder.textAccept": "Přijmout změnu", "DE.Views.DocumentHolder.textAlign": "Zarovnání", "DE.Views.DocumentHolder.textArrange": "Uspořádat", "DE.Views.DocumentHolder.textArrangeBack": "Přesunout na pozadí", @@ -1457,6 +1481,7 @@ "DE.Views.DocumentHolder.textDistributeCols": "Rozmístění sloupců", "DE.Views.DocumentHolder.textDistributeRows": "Rozmístit řádky", "DE.Views.DocumentHolder.textEditControls": "Nastavení ovládání obsahu", + "DE.Views.DocumentHolder.textEditPoints": "Upravit body", "DE.Views.DocumentHolder.textEditWrapBoundary": "Upravit hranice obtékaní", "DE.Views.DocumentHolder.textFlipH": "Převrátit vodorovně", "DE.Views.DocumentHolder.textFlipV": "Převrátit svisle", @@ -1472,6 +1497,7 @@ "DE.Views.DocumentHolder.textPaste": "Vložit", "DE.Views.DocumentHolder.textPrevPage": "Předchozí stránka", "DE.Views.DocumentHolder.textRefreshField": "Obnovit pole", + "DE.Views.DocumentHolder.textReject": "Odmítnout změnu", "DE.Views.DocumentHolder.textRemCheckBox": "Odstranit zaškrtávací pole", "DE.Views.DocumentHolder.textRemComboBox": "Odstranit výběrové pole", "DE.Views.DocumentHolder.textRemDropdown": "Odstranit rozevírací seznam", @@ -1505,6 +1531,14 @@ "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", @@ -1871,6 +1905,7 @@ "DE.Views.ImageSettings.textCrop": "Oříznout", "DE.Views.ImageSettings.textCropFill": "Výplň", "DE.Views.ImageSettings.textCropFit": "Přizpůsobit", + "DE.Views.ImageSettings.textCropToShape": "Oříznout podle tvaru", "DE.Views.ImageSettings.textEdit": "Upravit", "DE.Views.ImageSettings.textEditObject": "Upravit objekt", "DE.Views.ImageSettings.textFitMargins": "Přizpůsobit k okraji", @@ -1885,6 +1920,7 @@ "DE.Views.ImageSettings.textHintFlipV": "Převrátit svisle", "DE.Views.ImageSettings.textInsert": "Nahradit obrázek", "DE.Views.ImageSettings.textOriginalSize": "Skutečná velikost", + "DE.Views.ImageSettings.textRecentlyUsed": "Nedávno použité", "DE.Views.ImageSettings.textRotate90": "Otočit o 90°", "DE.Views.ImageSettings.textRotation": "Otočení", "DE.Views.ImageSettings.textSize": "Velikost", @@ -2051,7 +2087,7 @@ "DE.Views.ListSettingsDialog.txtType": "Typ", "DE.Views.MailMergeEmailDlg.filePlaceholder": "PDF", "DE.Views.MailMergeEmailDlg.okButtonText": "Poslat", - "DE.Views.MailMergeEmailDlg.subjectPlaceholder": "Téma", + "DE.Views.MailMergeEmailDlg.subjectPlaceholder": "Prostředí", "DE.Views.MailMergeEmailDlg.textAttachDocx": "Připojit jako DOCX", "DE.Views.MailMergeEmailDlg.textAttachPdf": "Připojit jako PDF", "DE.Views.MailMergeEmailDlg.textFileName": "Název souboru", @@ -2155,6 +2191,11 @@ "DE.Views.PageSizeDialog.textTitle": "Velikost stránky", "DE.Views.PageSizeDialog.textWidth": "Šířka", "DE.Views.PageSizeDialog.txtCustom": "Vlastní", + "DE.Views.PageThumbnails.textClosePanel": "Zavřít náhledy stránek", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "Zvýraznit viditelnou část stránky", + "DE.Views.PageThumbnails.textPageThumbnails": "Náhledy stránek", + "DE.Views.PageThumbnails.textThumbnailsSettings": "Nastavení pro náhledy", + "DE.Views.PageThumbnails.textThumbnailsSize": "Velikost náhledů", "DE.Views.ParagraphSettings.strIndent": "Odsazení", "DE.Views.ParagraphSettings.strIndentsLeftText": "Vlevo", "DE.Views.ParagraphSettings.strIndentsRightText": "Vpravo", @@ -2290,6 +2331,7 @@ "DE.Views.ShapeSettings.textPatternFill": "Vzor", "DE.Views.ShapeSettings.textPosition": "Pozice", "DE.Views.ShapeSettings.textRadial": "Kruhový", + "DE.Views.ShapeSettings.textRecentlyUsed": "Nedávno použité", "DE.Views.ShapeSettings.textRotate90": "Otočit o 90°", "DE.Views.ShapeSettings.textRotation": "Otočení", "DE.Views.ShapeSettings.textSelectImage": "Vybrat obrázek", @@ -2340,6 +2382,8 @@ "DE.Views.Statusbar.pageIndexText": "Stránka {0} z {1}", "DE.Views.Statusbar.tipFitPage": "Přizpůsobit stránce", "DE.Views.Statusbar.tipFitWidth": "Přizpůsobit šířce", + "DE.Views.Statusbar.tipHandTool": "Nástroj ruka", + "DE.Views.Statusbar.tipSelectTool": "Zvolit nástroj", "DE.Views.Statusbar.tipSetLang": "Nastavit jazyk textu", "DE.Views.Statusbar.tipZoomFactor": "Měřítko zobrazení", "DE.Views.Statusbar.tipZoomIn": "Přiblížit", @@ -2570,7 +2614,7 @@ "DE.Views.Toolbar.capBtnInsControls": "Ovládací prvky obsahu", "DE.Views.Toolbar.capBtnInsDropcap": "Iniciála", "DE.Views.Toolbar.capBtnInsEquation": "Rovnice", - "DE.Views.Toolbar.capBtnInsHeader": "Záhlaví/Zápatí", + "DE.Views.Toolbar.capBtnInsHeader": "Záhlaví & Zápatí", "DE.Views.Toolbar.capBtnInsImage": "Obrázek", "DE.Views.Toolbar.capBtnInsPagebreak": "Rozdělení stránky", "DE.Views.Toolbar.capBtnInsShape": "Obrazec", @@ -2681,6 +2725,7 @@ "DE.Views.Toolbar.textTabLinks": "Odkazy", "DE.Views.Toolbar.textTabProtect": "Zabezpečení", "DE.Views.Toolbar.textTabReview": "Přehled", + "DE.Views.Toolbar.textTabView": "Zobrazit", "DE.Views.Toolbar.textTitleError": "Chyba", "DE.Views.Toolbar.textToCurrent": "Na stávající pozici", "DE.Views.Toolbar.textTop": "Nahoře:", @@ -2772,6 +2817,15 @@ "DE.Views.Toolbar.txtScheme7": "Rovnost", "DE.Views.Toolbar.txtScheme8": "Tok", "DE.Views.Toolbar.txtScheme9": "Slévárna", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Vždy zobrazovat panel nástrojů", + "DE.Views.ViewTab.textDarkDocument": "Tmavý režim dokumentu", + "DE.Views.ViewTab.textFitToPage": "Přizpůsobit stránce", + "DE.Views.ViewTab.textFitToWidth": "Přizpůsobit šířce", + "DE.Views.ViewTab.textInterfaceTheme": "Vzhled prostředí", + "DE.Views.ViewTab.textNavigation": "Navigace", + "DE.Views.ViewTab.textRulers": "Pravítka", + "DE.Views.ViewTab.textStatusBar": "Stavová lišta", + "DE.Views.ViewTab.textZoom": "Zvětšení", "DE.Views.WatermarkSettingsDialog.textAuto": "Automaticky", "DE.Views.WatermarkSettingsDialog.textBold": "Tučné", "DE.Views.WatermarkSettingsDialog.textColor": "Barva textu", diff --git a/apps/documenteditor/main/locale/de.json b/apps/documenteditor/main/locale/de.json index 1f0496ec9..1be778ad1 100644 --- a/apps/documenteditor/main/locale/de.json +++ b/apps/documenteditor/main/locale/de.json @@ -168,6 +168,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Neu", "Common.UI.ExtendedColorDialog.textRGBErr": "Der eingegebene Wert ist falsch.
Bitte geben Sie einen numerischen Wert zwischen 0 und 255 ein.", "Common.UI.HSBColorPicker.textNoColor": "Ohne Farbe", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Passwort ausblenden", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Password anzeigen", "Common.UI.SearchDialog.textHighlight": "Ergebnisse hervorheben", "Common.UI.SearchDialog.textMatchCase": "Groß-/Kleinschreibung beachten", "Common.UI.SearchDialog.textReplaceDef": "Geben Sie den Ersetzungstext ein", @@ -211,6 +213,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Automatische Aufzählungen", "Common.Views.AutoCorrectDialog.textBy": "Nach", "Common.Views.AutoCorrectDialog.textDelete": "Löschen", + "Common.Views.AutoCorrectDialog.textFLCells": "Jede Tabellenzelle mit einem Großbuchstaben beginnen", "Common.Views.AutoCorrectDialog.textFLSentence": "Jeden Satz mit einem Großbuchstaben beginnen", "Common.Views.AutoCorrectDialog.textHyperlink": "Internet- und Netzwerkpfade durch Hyperlinks", "Common.Views.AutoCorrectDialog.textHyphens": "Bindestriche (--) mit Gedankenstrich (—)", @@ -236,12 +239,14 @@ "Common.Views.Comments.mniAuthorDesc": "Verfasser (Z-A)", "Common.Views.Comments.mniDateAsc": "Älteste zuerst", "Common.Views.Comments.mniDateDesc": "Neueste zuerst", + "Common.Views.Comments.mniFilterGroups": "Nach Gruppe filtern", "Common.Views.Comments.mniPositionAsc": "Von oben", "Common.Views.Comments.mniPositionDesc": "Von unten", "Common.Views.Comments.textAdd": "Hinzufügen", "Common.Views.Comments.textAddComment": "Hinzufügen", "Common.Views.Comments.textAddCommentToDoc": "Kommentar zum Dokument hinzufügen", "Common.Views.Comments.textAddReply": "Antwort hinzufügen", + "Common.Views.Comments.textAll": "Alle", "Common.Views.Comments.textAnonym": "Gast", "Common.Views.Comments.textCancel": "Abbrechen", "Common.Views.Comments.textClose": "Schließen", @@ -255,6 +260,7 @@ "Common.Views.Comments.textResolve": "Lösen", "Common.Views.Comments.textResolved": "Gelöst", "Common.Views.Comments.textSort": "Kommentare sortieren", + "Common.Views.Comments.textViewResolved": "Sie haben keine Berechtigung, den Kommentar erneut zu öffnen", "Common.Views.CopyWarningDialog.textDontShow": "Diese Meldung nicht mehr anzeigen", "Common.Views.CopyWarningDialog.textMsg": "Kopier-, Ausschneide- und Einfügeaktionen mit den Schaltflächen der Editor-Symbolleiste und Kontextmenü-Aktionen werden nur innerhalb dieser Editor-Registerkarte ausgeführt.

Zum Kopieren oder Einfügen in oder aus anderen Anwendungen nutzen Sie die folgenden Tastenkombinationen:", "Common.Views.CopyWarningDialog.textTitle": "Funktionen \"Kopieren\", \"Ausschneiden\" und \"Einfügen\"", @@ -431,6 +437,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Erneut öffnen", "Common.Views.ReviewPopover.textReply": "Antworten", "Common.Views.ReviewPopover.textResolve": "Lösen", + "Common.Views.ReviewPopover.textViewResolved": "Sie haben keine Berechtigung, den Kommentar erneut zu öffnen", "Common.Views.ReviewPopover.txtAccept": "Annehmen", "Common.Views.ReviewPopover.txtDeleteTip": "Löschen", "Common.Views.ReviewPopover.txtEditTip": "Bearbeiten", @@ -602,6 +609,7 @@ "DE.Controllers.Main.textLongName": "Der Name einer Tabellenansicht darf maximal 128 Zeichen lang sein.", "DE.Controllers.Main.textNoLicenseTitle": "Lizenzlimit erreicht", "DE.Controllers.Main.textPaidFeature": "Kostenpflichtige Funktion", + "DE.Controllers.Main.textReconnect": "Verbindung wurde wiederhergestellt", "DE.Controllers.Main.textRemember": "Meine Auswahl merken", "DE.Controllers.Main.textRenameError": "Benutzername darf nicht leer sein.", "DE.Controllers.Main.textRenameLabel": "Geben Sie den Namen für Zusammenarbeit ein", @@ -879,6 +887,7 @@ "DE.Controllers.Main.warnProcessRightsChange": "Das Recht, die Datei zu bearbeiten, wurde Ihnen verweigert.", "DE.Controllers.Navigation.txtBeginning": "Anfang des Dokuments", "DE.Controllers.Navigation.txtGotoBeginning": "Zum Anfang des Dokuments übergehnen", + "DE.Controllers.Statusbar.textDisconnect": "Die Verbindung wurde unterbrochen
Verbindungsversuch... Bitte Verbindungseinstellungen überprüfen.", "DE.Controllers.Statusbar.textHasChanges": "Neue Änderungen wurden zurückverfolgt", "DE.Controllers.Statusbar.textSetTrackChanges": "Nachverfolgung von Änderungen ist aktiv", "DE.Controllers.Statusbar.textTrackChanges": "Das Dokument wird im Modus \"Nachverfolgen von Änderungen\" geöffnet. ", @@ -902,10 +911,22 @@ "DE.Controllers.Toolbar.textMatrix": "Matrizen", "DE.Controllers.Toolbar.textOperator": "Operatoren", "DE.Controllers.Toolbar.textRadical": "Wurzeln", + "DE.Controllers.Toolbar.textRecentlyUsed": "Zuletzt verwendet", "DE.Controllers.Toolbar.textScript": "Skripts", "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", @@ -1457,6 +1478,7 @@ "DE.Views.DocumentHolder.textDistributeCols": "Spalten verteilen", "DE.Views.DocumentHolder.textDistributeRows": "Zeilen verteilen", "DE.Views.DocumentHolder.textEditControls": "Einstellungen des Inhaltssteuerelements", + "DE.Views.DocumentHolder.textEditPoints": "Punkte bearbeiten", "DE.Views.DocumentHolder.textEditWrapBoundary": "Umbruchsgrenze bearbeiten", "DE.Views.DocumentHolder.textFlipH": "Horizontal kippen", "DE.Views.DocumentHolder.textFlipV": "Vertikal kippen", @@ -1505,6 +1527,14 @@ "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", @@ -1743,6 +1773,7 @@ "DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "In Sprechblasen beim Klicken anzeigen", "DE.Views.FileMenuPanels.Settings.txtChangesTip": "In Tipps anzeigen", "DE.Views.FileMenuPanels.Settings.txtCm": "Zentimeter", + "DE.Views.FileMenuPanels.Settings.txtDarkMode": "Dunkelmodus aktivieren", "DE.Views.FileMenuPanels.Settings.txtFitPage": "Seite anpassen", "DE.Views.FileMenuPanels.Settings.txtFitWidth": "Breite anpassen", "DE.Views.FileMenuPanels.Settings.txtInch": "Zoll", @@ -1870,6 +1901,7 @@ "DE.Views.ImageSettings.textCrop": "Zuschneiden", "DE.Views.ImageSettings.textCropFill": "Ausfüllen", "DE.Views.ImageSettings.textCropFit": "Anpassen", + "DE.Views.ImageSettings.textCropToShape": "Auf Form zuschneiden", "DE.Views.ImageSettings.textEdit": "Bearbeiten", "DE.Views.ImageSettings.textEditObject": "Objekt bearbeiten", "DE.Views.ImageSettings.textFitMargins": "Rändern anpassen", @@ -1884,6 +1916,7 @@ "DE.Views.ImageSettings.textHintFlipV": "Vertikal kippen", "DE.Views.ImageSettings.textInsert": "Bild ersetzen", "DE.Views.ImageSettings.textOriginalSize": "Tatsächliche Größe", + "DE.Views.ImageSettings.textRecentlyUsed": "Zuletzt verwendet", "DE.Views.ImageSettings.textRotate90": "90 Grad drehen", "DE.Views.ImageSettings.textRotation": "Rotation", "DE.Views.ImageSettings.textSize": "Größe", @@ -2154,6 +2187,11 @@ "DE.Views.PageSizeDialog.textTitle": "Seitenformat", "DE.Views.PageSizeDialog.textWidth": "Breite", "DE.Views.PageSizeDialog.txtCustom": "Benutzerdefinierte", + "DE.Views.PageThumbnails.textClosePanel": "Miniaturansichten schließen", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "Sichtbaren Teil der Seite hervorheben", + "DE.Views.PageThumbnails.textPageThumbnails": "Miniaturansichten", + "DE.Views.PageThumbnails.textThumbnailsSettings": "Einstellungen von Miniaturansichten", + "DE.Views.PageThumbnails.textThumbnailsSize": "Größe von Miniaturansichten", "DE.Views.ParagraphSettings.strIndent": "Einzüge ", "DE.Views.ParagraphSettings.strIndentsLeftText": "Links", "DE.Views.ParagraphSettings.strIndentsRightText": "Rechts", @@ -2289,6 +2327,7 @@ "DE.Views.ShapeSettings.textPatternFill": "Muster", "DE.Views.ShapeSettings.textPosition": "Stellung", "DE.Views.ShapeSettings.textRadial": "Radial", + "DE.Views.ShapeSettings.textRecentlyUsed": "Zuletzt verwendet", "DE.Views.ShapeSettings.textRotate90": "90 Grad drehen", "DE.Views.ShapeSettings.textRotation": "Rotation", "DE.Views.ShapeSettings.textSelectImage": "Bild auswählen", @@ -2680,6 +2719,7 @@ "DE.Views.Toolbar.textTabLinks": "Verweise", "DE.Views.Toolbar.textTabProtect": "Schutz", "DE.Views.Toolbar.textTabReview": "Review", + "DE.Views.Toolbar.textTabView": "Ansicht", "DE.Views.Toolbar.textTitleError": "Fehler", "DE.Views.Toolbar.textToCurrent": "An aktueller Position", "DE.Views.Toolbar.textTop": "Oben: ", @@ -2771,6 +2811,15 @@ "DE.Views.Toolbar.txtScheme7": "Dactylos", "DE.Views.Toolbar.txtScheme8": "Bewegungsart", "DE.Views.Toolbar.txtScheme9": "Phoebe", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Symbolleiste immer anzeigen", + "DE.Views.ViewTab.textDarkDocument": "Dunkles Dokument", + "DE.Views.ViewTab.textFitToPage": "Seite anpassen", + "DE.Views.ViewTab.textFitToWidth": "An Breite anpassen", + "DE.Views.ViewTab.textInterfaceTheme": "Thema der Benutzeroberfläche", + "DE.Views.ViewTab.textNavigation": "Navigation", + "DE.Views.ViewTab.textRulers": "Lineale", + "DE.Views.ViewTab.textStatusBar": "Statusleiste", + "DE.Views.ViewTab.textZoom": "Zoom", "DE.Views.WatermarkSettingsDialog.textAuto": "Automatisch", "DE.Views.WatermarkSettingsDialog.textBold": "Fett", "DE.Views.WatermarkSettingsDialog.textColor": "Textfarbe", diff --git a/apps/documenteditor/main/locale/el.json b/apps/documenteditor/main/locale/el.json index 691254cd1..bafd79202 100644 --- a/apps/documenteditor/main/locale/el.json +++ b/apps/documenteditor/main/locale/el.json @@ -168,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": "Εισάγετε το κείμενο αντικατάστασης", @@ -211,6 +213,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Αυτόματες λίστες κουκκίδων", "Common.Views.AutoCorrectDialog.textBy": "Από", "Common.Views.AutoCorrectDialog.textDelete": "Διαγραφή", + "Common.Views.AutoCorrectDialog.textFLCells": "Να γίνει κεφαλαίο το πρώτο γράμμα των κελιών του πίνακα", "Common.Views.AutoCorrectDialog.textFLSentence": "Κεφαλαιοποιήστε το πρώτο γράμμα των προτάσεων", "Common.Views.AutoCorrectDialog.textHyperlink": "Μονοπάτια δικτύου και διαδικτύου με υπερσυνδέσμους", "Common.Views.AutoCorrectDialog.textHyphens": "Παύλες (--) με πλατιά παύλα (—)", @@ -236,12 +239,14 @@ "Common.Views.Comments.mniAuthorDesc": "Συγγραφέας Ω έως Α", "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 +260,7 @@ "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": "Ενέργειες Αντιγραφής, Αποκοπής και Επικόλλησης", @@ -431,6 +437,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": "Επεξεργασία", @@ -602,6 +609,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": "Εισάγετε ένα όνομα για συνεργατική χρήση", @@ -879,6 +887,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,10 +911,22 @@ "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.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": "Από πάνω βέλος προς αριστερά", @@ -1281,9 +1302,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": "Σφιχτό", @@ -1457,6 +1478,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": "Κατακόρυφη Περιστροφή", @@ -1471,7 +1493,7 @@ "DE.Views.DocumentHolder.textNumberingValue": "Τιμή Αρίθμησης", "DE.Views.DocumentHolder.textPaste": "Επικόλληση", "DE.Views.DocumentHolder.textPrevPage": "Προηγούμενη Σελίδα", - "DE.Views.DocumentHolder.textRefreshField": "Ανανέωση πεδίου", + "DE.Views.DocumentHolder.textRefreshField": "Ενημέρωση πεδίου", "DE.Views.DocumentHolder.textRemCheckBox": "Αφαίρεση Πλαισίου Επιλογής", "DE.Views.DocumentHolder.textRemComboBox": "Αφαίρεση Πολλαπλών Επιλογών", "DE.Views.DocumentHolder.textRemDropdown": "Αφαίρεση Πτυσσόμενης Λίστας ", @@ -1500,11 +1522,19 @@ "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.textUpdateAll": "Ενημέρωση ολόκληρου πίνακα", + "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.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": "Προσθήκη γραμμής κλάσματος", @@ -1516,7 +1546,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": "Στοίχιση στήλης", @@ -1552,8 +1582,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": "Εισαγωγή χειροκίνητης αλλαγής", @@ -1871,6 +1901,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": "Προσαρμογή στο Περιθώριο", @@ -1885,14 +1916,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": "Σφιχτό", @@ -1965,9 +1997,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": "Σφιχτό", @@ -2000,7 +2032,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,18 +2052,18 @@ "DE.Views.Links.textGotoEndnote": "Μετάβαση στις Σημειώσεις Τέλους", "DE.Views.Links.textGotoFootnote": "Μετάβαση στις Υποσημειώσεις", "DE.Views.Links.textSwapNotes": "Αντιμετάθεση Υποσημειώσεων και Σημειώσεων Τέλους", - "DE.Views.Links.textUpdateAll": "Ανανέωση ολόκληρου του πίνακα", - "DE.Views.Links.textUpdatePages": "Ανανέωση αριθμών σελίδων μόνο", + "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.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.Links.tipTableFiguresUpdate": "Ενημέρωση πίνακα εικόνων", + "DE.Views.Links.titleUpdateTOF": "Ενημέρωση Πίνακα Εικόνων", "DE.Views.ListSettingsDialog.textAuto": "Αυτόματα", "DE.Views.ListSettingsDialog.textCenter": "Κέντρο", "DE.Views.ListSettingsDialog.textLeft": "Αριστερά", @@ -2155,6 +2187,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": "Δεξιά", @@ -2290,6 +2327,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": "Επιλογή Εικόνας", @@ -2301,7 +2339,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": "Χαρτόνι", @@ -2309,8 +2347,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": "Χωρίς Γραμμή", @@ -2570,7 +2608,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": "Σχήμα", @@ -2681,6 +2719,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": "Πάνω:", @@ -2772,6 +2811,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/en.json b/apps/documenteditor/main/locale/en.json index 86adbf7ce..e7c26a0a8 100644 --- a/apps/documenteditor/main/locale/en.json +++ b/apps/documenteditor/main/locale/en.json @@ -214,6 +214,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Automatic bulleted lists", "Common.Views.AutoCorrectDialog.textBy": "By", "Common.Views.AutoCorrectDialog.textDelete": "Delete", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Add period with double-space", "Common.Views.AutoCorrectDialog.textFLCells": "Capitalize first letter of table cells", "Common.Views.AutoCorrectDialog.textFLSentence": "Capitalize first letter of sentences", "Common.Views.AutoCorrectDialog.textHyperlink": "Internet and network paths with hyperlinks", @@ -261,7 +262,7 @@ "Common.Views.Comments.textResolve": "Resolve", "Common.Views.Comments.textResolved": "Resolved", "Common.Views.Comments.textSort": "Sort comments", - "Common.Views.Comments.textViewResolved": "You have not permission for reopen comment", + "Common.Views.Comments.textViewResolved": "You have no permission to reopen the comment", "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", @@ -440,7 +441,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Open Again", "Common.Views.ReviewPopover.textReply": "Reply", "Common.Views.ReviewPopover.textResolve": "Resolve", - "Common.Views.ReviewPopover.textViewResolved": "You have not permission for reopen comment", + "Common.Views.ReviewPopover.textViewResolved": "You have no permission to reopen the comment", "Common.Views.ReviewPopover.txtAccept": "Accept", "Common.Views.ReviewPopover.txtDeleteTip": "Delete", "Common.Views.ReviewPopover.txtEditTip": "Edit", @@ -514,6 +515,7 @@ "DE.Controllers.LeftMenu.txtCompatible": "The document will be saved to the new format. It will allow to use all the editor features, but might affect the document layout.
Use the 'Compatibility' option of the advanced settings if you want to make the files compatible with older MS Word versions.", "DE.Controllers.LeftMenu.txtUntitled": "Untitled", "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.Main.applyChangesTextText": "Loading the changes...", "DE.Controllers.Main.applyChangesTitleText": "Loading the Changes", @@ -1463,6 +1465,7 @@ "DE.Views.DocumentHolder.strSign": "Sign", "DE.Views.DocumentHolder.styleText": "Formatting as Style", "DE.Views.DocumentHolder.tableText": "Table", + "DE.Views.DocumentHolder.textAccept": "Accept Change", "DE.Views.DocumentHolder.textAlign": "Align", "DE.Views.DocumentHolder.textArrange": "Arrange", "DE.Views.DocumentHolder.textArrangeBack": "Send to Background", @@ -1496,7 +1499,8 @@ "DE.Views.DocumentHolder.textNumberingValue": "Numbering Value", "DE.Views.DocumentHolder.textPaste": "Paste", "DE.Views.DocumentHolder.textPrevPage": "Previous Page", - "DE.Views.DocumentHolder.textRefreshField": "Refresh field", + "DE.Views.DocumentHolder.textRefreshField": "Update field", + "DE.Views.DocumentHolder.textReject": "Reject Change", "DE.Views.DocumentHolder.textRemCheckBox": "Remove Checkbox", "DE.Views.DocumentHolder.textRemComboBox": "Remove Combo Box", "DE.Views.DocumentHolder.textRemDropdown": "Remove Dropdown", @@ -1525,9 +1529,9 @@ "DE.Views.DocumentHolder.textTOC": "Table of contents", "DE.Views.DocumentHolder.textTOCSettings": "Table of contents settings", "DE.Views.DocumentHolder.textUndo": "Undo", - "DE.Views.DocumentHolder.textUpdateAll": "Refresh entire table", - "DE.Views.DocumentHolder.textUpdatePages": "Refresh page numbers only", - "DE.Views.DocumentHolder.textUpdateTOC": "Refresh table of contents", + "DE.Views.DocumentHolder.textUpdateAll": "Update entire table", + "DE.Views.DocumentHolder.textUpdatePages": "Update page numbers only", + "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", @@ -2044,7 +2048,7 @@ "DE.Views.LineNumbersDialog.txtAutoText": "Auto", "DE.Views.Links.capBtnBookmarks": "Bookmark", "DE.Views.Links.capBtnCaption": "Caption", - "DE.Views.Links.capBtnContentsUpdate": "Refresh", + "DE.Views.Links.capBtnContentsUpdate": "Update Table", "DE.Views.Links.capBtnCrossRef": "Cross-reference", "DE.Views.Links.capBtnInsContents": "Table of Contents", "DE.Views.Links.capBtnInsFootnote": "Footnote", @@ -2064,18 +2068,18 @@ "DE.Views.Links.textGotoEndnote": "Go to Endnotes", "DE.Views.Links.textGotoFootnote": "Go to Footnotes", "DE.Views.Links.textSwapNotes": "Swap Footnotes and Endnotes", - "DE.Views.Links.textUpdateAll": "Refresh entire table", - "DE.Views.Links.textUpdatePages": "Refresh page numbers only", + "DE.Views.Links.textUpdateAll": "Update entire table", + "DE.Views.Links.textUpdatePages": "Update page numbers only", "DE.Views.Links.tipBookmarks": "Create a bookmark", "DE.Views.Links.tipCaption": "Insert caption", "DE.Views.Links.tipContents": "Insert table of contents", - "DE.Views.Links.tipContentsUpdate": "Refresh table of contents", + "DE.Views.Links.tipContentsUpdate": "Update table of contents", "DE.Views.Links.tipCrossRef": "Insert cross-reference", "DE.Views.Links.tipInsertHyperlink": "Add hyperlink", "DE.Views.Links.tipNotes": "Insert or edit footnotes", "DE.Views.Links.tipTableFigures": "Insert table of figures", - "DE.Views.Links.tipTableFiguresUpdate": "Refresh table of figures", - "DE.Views.Links.titleUpdateTOF": "Refresh Table of Figures", + "DE.Views.Links.tipTableFiguresUpdate": "Update table of figures", + "DE.Views.Links.titleUpdateTOF": "Update Table of Figures", "DE.Views.ListSettingsDialog.textAuto": "Automatic", "DE.Views.ListSettingsDialog.textCenter": "Center", "DE.Views.ListSettingsDialog.textLeft": "Left", @@ -2390,6 +2394,8 @@ "DE.Views.Statusbar.pageIndexText": "Page {0} of {1}", "DE.Views.Statusbar.tipFitPage": "Fit to page", "DE.Views.Statusbar.tipFitWidth": "Fit to width", + "DE.Views.Statusbar.tipHandTool": "Hand tool", + "DE.Views.Statusbar.tipSelectTool": "Select tool", "DE.Views.Statusbar.tipSetLang": "Set text language", "DE.Views.Statusbar.tipZoomFactor": "Zoom", "DE.Views.Statusbar.tipZoomIn": "Zoom in", diff --git a/apps/documenteditor/main/locale/es.json b/apps/documenteditor/main/locale/es.json index 662510ecc..c83e022c3 100644 --- a/apps/documenteditor/main/locale/es.json +++ b/apps/documenteditor/main/locale/es.json @@ -21,7 +21,7 @@ "Common.Controllers.ReviewChanges.textChar": "Nivel de carácter", "Common.Controllers.ReviewChanges.textChart": "Gráfico", "Common.Controllers.ReviewChanges.textColor": "Color de letra", - "Common.Controllers.ReviewChanges.textContextual": "No añadir intervalo entre párrafos del mismo estilo", + "Common.Controllers.ReviewChanges.textContextual": "No agregue intervalos entre párrafos del mismo estilo", "Common.Controllers.ReviewChanges.textDeleted": "Eliminado:", "Common.Controllers.ReviewChanges.textDStrikeout": "Double strikeout", "Common.Controllers.ReviewChanges.textEquation": "Ecuación", @@ -42,7 +42,7 @@ "Common.Controllers.ReviewChanges.textLineSpacing": "Espaciado de línea: ", "Common.Controllers.ReviewChanges.textMultiple": "Múltiple", "Common.Controllers.ReviewChanges.textNoBreakBefore": "Sin salto de página antes", - "Common.Controllers.ReviewChanges.textNoContextual": "Añadir intervalo entre párrafos del mismo estilo", + "Common.Controllers.ReviewChanges.textNoContextual": "Agregar intervalo entre párrafos del mismo estilo", "Common.Controllers.ReviewChanges.textNoKeepLines": "No mantener líneas juntas", "Common.Controllers.ReviewChanges.textNoKeepNext": "No mantener con el siguiente", "Common.Controllers.ReviewChanges.textNot": "No", @@ -50,7 +50,7 @@ "Common.Controllers.ReviewChanges.textNum": "Cambiar numeración", "Common.Controllers.ReviewChanges.textOff": "{0} ya no utiliza el seguimiento de cambios.", "Common.Controllers.ReviewChanges.textOffGlobal": "{0} ha deshabilitado el seguimiento de cambios para todos.", - "Common.Controllers.ReviewChanges.textOn": "{0} está usando ahora el seguimiento de cambios.", + "Common.Controllers.ReviewChanges.textOn": "{0} está usando el seguimiento de cambios.", "Common.Controllers.ReviewChanges.textOnGlobal": "{0} ha habilitado el seguimiento de cambios para todos.", "Common.Controllers.ReviewChanges.textParaDeleted": "Párrafo eliminado", "Common.Controllers.ReviewChanges.textParaFormatted": "Paragraph Formatted", @@ -71,7 +71,7 @@ "Common.Controllers.ReviewChanges.textSubScript": "Subíndice", "Common.Controllers.ReviewChanges.textSuperScript": "Sobreíndice", "Common.Controllers.ReviewChanges.textTableChanged": "Se ha cambiado la configuración de la tabla", - "Common.Controllers.ReviewChanges.textTableRowsAdd": "Se han añadido filas a la tabla", + "Common.Controllers.ReviewChanges.textTableRowsAdd": "Se han agregado filas a la tabla", "Common.Controllers.ReviewChanges.textTableRowsDel": "Se han eliminado filas de la tabla", "Common.Controllers.ReviewChanges.textTabs": "Cambiar tabuladores", "Common.Controllers.ReviewChanges.textTitleComparison": "Ajustes de comparación", @@ -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": "Añadir nuevo color personalizado", + "Common.UI.ButtonColored.textNewColor": "Agregar nuevo color personalizado", "Common.UI.Calendar.textApril": "Abril", "Common.UI.Calendar.textAugust": "Agosto", "Common.UI.Calendar.textDecember": "Diciembre", @@ -162,12 +162,14 @@ "Common.UI.ComboBorderSize.txtNoBorders": "Sin bordes", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sin bordes", "Common.UI.ComboDataView.emptyComboText": "Sin estilo", - "Common.UI.ExtendedColorDialog.addButtonText": "Añadir", + "Common.UI.ExtendedColorDialog.addButtonText": "Agregar", "Common.UI.ExtendedColorDialog.textCurrent": "Actual", "Common.UI.ExtendedColorDialog.textHexErr": "El valor introducido es incorrecto.
Por favor, introduzca un valor de 000000 a FFFFFF.", "Common.UI.ExtendedColorDialog.textNew": "Nuevo", "Common.UI.ExtendedColorDialog.textRGBErr": "El valor introducido es incorrecto.
Por favor, introduzca un valor numérico de 0 a 225.", "Common.UI.HSBColorPicker.textNoColor": "Sin color", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Ocultar la contraseña", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostrar la contraseña", "Common.UI.SearchDialog.textHighlight": "Resaltar resultados", "Common.UI.SearchDialog.textMatchCase": "Sensible a mayúsculas y minúsculas", "Common.UI.SearchDialog.textReplaceDef": "Introduzca el texto de sustitución", @@ -200,17 +202,18 @@ "Common.Views.About.txtAddress": "dirección: ", "Common.Views.About.txtLicensee": "LICENCIATARIO ", "Common.Views.About.txtLicensor": "LICENCIANTE", - "Common.Views.About.txtMail": "email: ", + "Common.Views.About.txtMail": "correo: ", "Common.Views.About.txtPoweredBy": "Desarrollado por", "Common.Views.About.txtTel": "tel.: ", "Common.Views.About.txtVersion": "Versión ", - "Common.Views.AutoCorrectDialog.textAdd": "Añadir", + "Common.Views.AutoCorrectDialog.textAdd": "Agregar", "Common.Views.AutoCorrectDialog.textApplyText": "Aplicar mientras escribe", "Common.Views.AutoCorrectDialog.textAutoCorrect": "Autocorrección de texto", "Common.Views.AutoCorrectDialog.textAutoFormat": "Autoformato mientras escribe", "Common.Views.AutoCorrectDialog.textBulleted": "Listas con viñetas automáticas", "Common.Views.AutoCorrectDialog.textBy": "Por", "Common.Views.AutoCorrectDialog.textDelete": "Eliminar", + "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", "Common.Views.AutoCorrectDialog.textHyphens": "Guiones (--) con guión (—)", @@ -229,19 +232,21 @@ "Common.Views.AutoCorrectDialog.textWarnAddRec": "Las funciones reconocidas deben contener solo letras de la A a la Z, mayúsculas o minúsculas.", "Common.Views.AutoCorrectDialog.textWarnResetRec": "Cualquier expresión que haya agregado se eliminará y las eliminadas se restaurarán. ¿Desea continuar?", "Common.Views.AutoCorrectDialog.warnReplace": "La entrada de autocorreción para %1 ya existe. ¿Desea reemplazarla?", - "Common.Views.AutoCorrectDialog.warnReset": "Cualquier autocorreción que haya agregado se eliminará y los modificados serán restaurados a sus valores originales. ¿Desea continuar?", + "Common.Views.AutoCorrectDialog.warnReset": "Las autocorrecciones que haya agregado se eliminarán y las modificadas recuperarán sus valores originales. ¿Desea continuar?", "Common.Views.AutoCorrectDialog.warnRestore": "La entrada de autocorrección para %1 será restablecida a su valor original. ¿Desea continuar?", "Common.Views.Chat.textSend": "Enviar", "Common.Views.Comments.mniAuthorAsc": "Autor de A a Z", "Common.Views.Comments.mniAuthorDesc": "Autor de Z a A", "Common.Views.Comments.mniDateAsc": "Más antiguo", "Common.Views.Comments.mniDateDesc": "Más reciente", + "Common.Views.Comments.mniFilterGroups": "Filtrar por grupo", "Common.Views.Comments.mniPositionAsc": "Desde arriba", "Common.Views.Comments.mniPositionDesc": "Desde abajo", - "Common.Views.Comments.textAdd": "Añadir", - "Common.Views.Comments.textAddComment": "Añadir comentario", - "Common.Views.Comments.textAddCommentToDoc": "Añadir comentario al documento", - "Common.Views.Comments.textAddReply": "Añadir respuesta", + "Common.Views.Comments.textAdd": "Agregar", + "Common.Views.Comments.textAddComment": "Agregar comentario", + "Common.Views.Comments.textAddCommentToDoc": "Agregar comentario al documento", + "Common.Views.Comments.textAddReply": "Agregar respuesta", + "Common.Views.Comments.textAll": "Todo", "Common.Views.Comments.textAnonym": "Visitante", "Common.Views.Comments.textCancel": "Cancelar", "Common.Views.Comments.textClose": "Cerrar", @@ -249,12 +254,13 @@ "Common.Views.Comments.textComments": "Comentarios", "Common.Views.Comments.textEdit": "OK", "Common.Views.Comments.textEnterCommentHint": "Introduzca su comentario aquí", - "Common.Views.Comments.textHintAddComment": "Añadir comentario", + "Common.Views.Comments.textHintAddComment": "Agregar comentario", "Common.Views.Comments.textOpenAgain": "Abrir de nuevo", "Common.Views.Comments.textReply": "Responder", "Common.Views.Comments.textResolve": "Resolver", "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.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", @@ -330,14 +336,14 @@ "Common.Views.Plugins.textStop": "Detener", "Common.Views.Protection.hintAddPwd": "Encriptar con contraseña", "Common.Views.Protection.hintPwd": "Cambie o elimine la contraseña", - "Common.Views.Protection.hintSignature": "Añadir firma digital o línea de firma", - "Common.Views.Protection.txtAddPwd": "Añadir contraseña", + "Common.Views.Protection.hintSignature": "Agregar firma digital o línea de firma", + "Common.Views.Protection.txtAddPwd": "Agregar contraseña", "Common.Views.Protection.txtChangePwd": "Cambie la contraseña", "Common.Views.Protection.txtDeletePwd": "Eliminar contraseña", "Common.Views.Protection.txtEncrypt": "Encriptar", - "Common.Views.Protection.txtInvisibleSignature": "Añadir firma digital", + "Common.Views.Protection.txtInvisibleSignature": "Agregar firma digital", "Common.Views.Protection.txtSignature": "Firma", - "Common.Views.Protection.txtSignatureLine": "Añadir línea de firma", + "Common.Views.Protection.txtSignatureLine": "Agregar línea de firma", "Common.Views.RenameDialog.textName": "Nombre de archivo", "Common.Views.RenameDialog.txtInvalidName": "El nombre de archivo no debe contener los símbolos siguientes:", "Common.Views.ReviewChanges.hintNext": "Al siguiente cambio", @@ -420,17 +426,18 @@ "Common.Views.ReviewChangesDialog.txtReject": "Rechazar", "Common.Views.ReviewChangesDialog.txtRejectAll": "Rechazar todos los cambjios", "Common.Views.ReviewChangesDialog.txtRejectCurrent": "Rechazar Cambio Actual", - "Common.Views.ReviewPopover.textAdd": "Añadir", - "Common.Views.ReviewPopover.textAddReply": "Añadir respuesta", + "Common.Views.ReviewPopover.textAdd": "Agregar", + "Common.Views.ReviewPopover.textAddReply": "Agregar respuesta", "Common.Views.ReviewPopover.textCancel": "Cancelar", "Common.Views.ReviewPopover.textClose": "Cerrar", "Common.Views.ReviewPopover.textEdit": "OK", "Common.Views.ReviewPopover.textFollowMove": "Seguir movimiento", - "Common.Views.ReviewPopover.textMention": "+mención proporcionará acceso al documento y enviará un correo electrónico", - "Common.Views.ReviewPopover.textMentionNotify": "+mención notificará al usuario por correo electrónico", + "Common.Views.ReviewPopover.textMention": "+mención proporcionará acceso al documento y enviará un correo", + "Common.Views.ReviewPopover.textMentionNotify": "+mención notificará al usuario por correo", "Common.Views.ReviewPopover.textOpenAgain": "Abrir de nuevo", "Common.Views.ReviewPopover.textReply": "Responder", "Common.Views.ReviewPopover.textResolve": "Resolver", + "Common.Views.ReviewPopover.textViewResolved": "No tiene permiso para volver a abrir el documento", "Common.Views.ReviewPopover.txtAccept": "Aceptar", "Common.Views.ReviewPopover.txtDeleteTip": "Eliminar", "Common.Views.ReviewPopover.txtEditTip": "Editar", @@ -454,7 +461,7 @@ "Common.Views.SignDialog.textValid": "Válido desde %1 hasta %2", "Common.Views.SignDialog.tipFontName": "Nombre del tipo de letra", "Common.Views.SignDialog.tipFontSize": "Tamaño del tipo de letra", - "Common.Views.SignSettingsDialog.textAllowComment": "Permitir a quien firma añadir comentarios en el diálogo de firma", + "Common.Views.SignSettingsDialog.textAllowComment": "Permitir al firmante agregar comentarios en el diálogo de firma", "Common.Views.SignSettingsDialog.textInfo": "Información de quien firma", "Common.Views.SignSettingsDialog.textInfoEmail": "E-mail", "Common.Views.SignSettingsDialog.textInfoName": "Nombre", @@ -528,7 +535,7 @@ "DE.Controllers.Main.errorDirectUrl": "Por favor, verifique el vínculo al documento.
Este vínculo debe ser un vínculo directo al archivo para descargar.", "DE.Controllers.Main.errorEditingDownloadas": "Se produjo un error durante el trabajo con el documento.
Use la opción 'Descargar como...' para guardar la copia de seguridad de este archivo en el disco duro de su computadora.", "DE.Controllers.Main.errorEditingSaveas": "Se produjo un error durante el trabajo con el documento.
Use la opción 'Guardar como...' para guardar la copia de seguridad de este archivo en el disco duro de su computadora.", - "DE.Controllers.Main.errorEmailClient": "No se pudo encontrar ningun cliente de email", + "DE.Controllers.Main.errorEmailClient": "No se pudo encontrar ningun cliente de correo", "DE.Controllers.Main.errorFilePassProtect": "El archivo está protegido por una contraseña y no puede ser abierto.", "DE.Controllers.Main.errorFileSizeExceed": "El tamaño del archivo excede la limitación establecida para su servidor.
Por favor, póngase en contacto con el administrador del Servidor de Documentos para obtener más detalles.", "DE.Controllers.Main.errorForceSave": "Ha ocurrido un error mientras", @@ -602,6 +609,7 @@ "DE.Controllers.Main.textLongName": "Escriba un nombre que tenga menos de 128 caracteres.", "DE.Controllers.Main.textNoLicenseTitle": "Se ha alcanzado el límite de licencias", "DE.Controllers.Main.textPaidFeature": "Función de pago", + "DE.Controllers.Main.textReconnect": "Se ha restablecido la conexión", "DE.Controllers.Main.textRemember": "Recordar mi elección para todos los archivos", "DE.Controllers.Main.textRenameError": "El nombre de usuario no debe estar vacío.", "DE.Controllers.Main.textRenameLabel": "Escriba un nombre que se utilizará para la colaboración", @@ -879,6 +887,7 @@ "DE.Controllers.Main.warnProcessRightsChange": "El derecho de edición del archivo es denegado", "DE.Controllers.Navigation.txtBeginning": "Principio del documento", "DE.Controllers.Navigation.txtGotoBeginning": "Ir al principio de", + "DE.Controllers.Statusbar.textDisconnect": "Se ha perdido la conexión
Intentando conectar. Compruebe la configuración de la conexión.", "DE.Controllers.Statusbar.textHasChanges": "Nuevos cambios han sido encontrado", "DE.Controllers.Statusbar.textSetTrackChanges": "Usted está en el modo de seguimiento de cambios", "DE.Controllers.Statusbar.textTrackChanges": "El documento se abre con el modo de cambio de pista activado", @@ -902,10 +911,22 @@ "DE.Controllers.Toolbar.textMatrix": "Matrices", "DE.Controllers.Toolbar.textOperator": "Operadores", "DE.Controllers.Toolbar.textRadical": "Radicales", + "DE.Controllers.Toolbar.textRecentlyUsed": "Usados recientemente", "DE.Controllers.Toolbar.textScript": "Letras", "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", @@ -1229,7 +1250,7 @@ "DE.Controllers.Viewport.txtDarkMode": "Modo oscuro", "DE.Views.AddNewCaptionLabelDialog.textLabel": "Etiqueta:", "DE.Views.AddNewCaptionLabelDialog.textLabelError": "La etiqueta no debe estar vacía.", - "DE.Views.BookmarksDialog.textAdd": "Añadir", + "DE.Views.BookmarksDialog.textAdd": "Agregar", "DE.Views.BookmarksDialog.textBookmarkName": "Nombre de marcador", "DE.Views.BookmarksDialog.textClose": "Cerrar", "DE.Views.BookmarksDialog.textCopy": "Copiar ", @@ -1242,7 +1263,7 @@ "DE.Views.BookmarksDialog.textSort": "Ordenar por", "DE.Views.BookmarksDialog.textTitle": "Marcadores", "DE.Views.BookmarksDialog.txtInvalidName": "Nombre de marcador sólo puede contener letras, dígitos y barras bajas y debe comenzar con la letra", - "DE.Views.CaptionDialog.textAdd": "Añadir etiqueta", + "DE.Views.CaptionDialog.textAdd": "Agregar etiqueta", "DE.Views.CaptionDialog.textAfter": "Después", "DE.Views.CaptionDialog.textBefore": "Antes", "DE.Views.CaptionDialog.textCaption": "Leyenda", @@ -1281,16 +1302,16 @@ "DE.Views.ChartSettings.textUndock": "Desacoplar de panel", "DE.Views.ChartSettings.textWidth": "Ancho", "DE.Views.ChartSettings.textWrap": "Ajuste de texto", - "DE.Views.ChartSettings.txtBehind": "Detrás", - "DE.Views.ChartSettings.txtInFront": "Adelante", - "DE.Views.ChartSettings.txtInline": "Alineado", + "DE.Views.ChartSettings.txtBehind": "Detrás del texto", + "DE.Views.ChartSettings.txtInFront": "Delante del texto", + "DE.Views.ChartSettings.txtInline": "En línea con el texto", "DE.Views.ChartSettings.txtSquare": "Cuadrado", "DE.Views.ChartSettings.txtThrough": "A través", "DE.Views.ChartSettings.txtTight": "Estrecho", "DE.Views.ChartSettings.txtTitle": "Gráfico", "DE.Views.ChartSettings.txtTopAndBottom": "Superior e inferior", "DE.Views.ControlSettingsDialog.strGeneral": "General", - "DE.Views.ControlSettingsDialog.textAdd": "Añadir", + "DE.Views.ControlSettingsDialog.textAdd": "Agregar", "DE.Views.ControlSettingsDialog.textAppearance": "Aspecto", "DE.Views.ControlSettingsDialog.textApplyAll": "Aplicar a todo", "DE.Views.ControlSettingsDialog.textBox": "Cuadro delimitador", @@ -1371,7 +1392,7 @@ "DE.Views.DateTimeDialog.textUpdate": "Actualizar automáticamente", "DE.Views.DateTimeDialog.txtTitle": "Fecha y hora", "DE.Views.DocumentHolder.aboveText": "Encima", - "DE.Views.DocumentHolder.addCommentText": "Añadir comentario", + "DE.Views.DocumentHolder.addCommentText": "Agregar comentario", "DE.Views.DocumentHolder.advancedDropCapText": "Configuración de Capitalización", "DE.Views.DocumentHolder.advancedFrameText": "Ajustes avanzados de marco", "DE.Views.DocumentHolder.advancedParagraphText": "Ajustes avanzados de párrafo", @@ -1457,6 +1478,7 @@ "DE.Views.DocumentHolder.textDistributeCols": "Distribuir columnas", "DE.Views.DocumentHolder.textDistributeRows": "Distribuir filas", "DE.Views.DocumentHolder.textEditControls": "Los ajustes del control de contenido", + "DE.Views.DocumentHolder.textEditPoints": "Modificar puntos", "DE.Views.DocumentHolder.textEditWrapBoundary": "Editar límite de ajuste", "DE.Views.DocumentHolder.textFlipH": "Voltear horizontalmente", "DE.Views.DocumentHolder.textFlipV": "Voltear verticalmente", @@ -1471,7 +1493,7 @@ "DE.Views.DocumentHolder.textNumberingValue": "Valor de inicio", "DE.Views.DocumentHolder.textPaste": "Pegar", "DE.Views.DocumentHolder.textPrevPage": "Página anterior", - "DE.Views.DocumentHolder.textRefreshField": "Actualize el campo", + "DE.Views.DocumentHolder.textRefreshField": "Actualice el campo", "DE.Views.DocumentHolder.textRemCheckBox": "Eliminar casilla", "DE.Views.DocumentHolder.textRemComboBox": "Eliminar cuadro combinado", "DE.Views.DocumentHolder.textRemDropdown": "Eliminar lista desplegable", @@ -1500,23 +1522,31 @@ "DE.Views.DocumentHolder.textTOC": "Tabla de contenidos", "DE.Views.DocumentHolder.textTOCSettings": "Ajustes de la tabla de contenidos", "DE.Views.DocumentHolder.textUndo": "Deshacer", - "DE.Views.DocumentHolder.textUpdateAll": "Actualize toda la tabla", - "DE.Views.DocumentHolder.textUpdatePages": "Actualize solo los números de página", - "DE.Views.DocumentHolder.textUpdateTOC": "Actualize la tabla de contenidos", + "DE.Views.DocumentHolder.textUpdateAll": "Actualice toda la tabla", + "DE.Views.DocumentHolder.textUpdatePages": "Actualice solo los números de página", + "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.toDictionaryText": "Añadir al diccionario", - "DE.Views.DocumentHolder.txtAddBottom": "Añadir borde inferior", - "DE.Views.DocumentHolder.txtAddFractionBar": "Añadir barra de fracción", - "DE.Views.DocumentHolder.txtAddHor": "Añadir línea horizontal", - "DE.Views.DocumentHolder.txtAddLB": "Añadir línea inferior izquierda", - "DE.Views.DocumentHolder.txtAddLeft": "Añadir borde izquierdo", - "DE.Views.DocumentHolder.txtAddLT": "Añadir línea superior izquierda", - "DE.Views.DocumentHolder.txtAddRight": "Añadir borde derecho", - "DE.Views.DocumentHolder.txtAddTop": "Añadir borde superior", - "DE.Views.DocumentHolder.txtAddVer": "Añadir línea vertical", + "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", + "DE.Views.DocumentHolder.txtAddHor": "Agregar línea horizontal", + "DE.Views.DocumentHolder.txtAddLB": "Agregar línea inferior izquierda", + "DE.Views.DocumentHolder.txtAddLeft": "Agregar borde izquierdo", + "DE.Views.DocumentHolder.txtAddLT": "Agregar línea superior izquierda", + "DE.Views.DocumentHolder.txtAddRight": "Agregar borde derecho", + "DE.Views.DocumentHolder.txtAddTop": "Agregar borde superior", + "DE.Views.DocumentHolder.txtAddVer": "Agregar línea vertical", "DE.Views.DocumentHolder.txtAlignToChar": "Alinear a carácter", - "DE.Views.DocumentHolder.txtBehind": "Detrás", + "DE.Views.DocumentHolder.txtBehind": "Detrás del texto", "DE.Views.DocumentHolder.txtBorderProps": "Propiedades de borde", "DE.Views.DocumentHolder.txtBottom": "Inferior", "DE.Views.DocumentHolder.txtColumnAlign": "Alineación de columna", @@ -1552,8 +1582,8 @@ "DE.Views.DocumentHolder.txtHideTopLimit": "Ocultar límite superior", "DE.Views.DocumentHolder.txtHideVer": "Ocultar línea vertical", "DE.Views.DocumentHolder.txtIncreaseArg": "Aumentar el tamaño del argumento", - "DE.Views.DocumentHolder.txtInFront": "Adelante", - "DE.Views.DocumentHolder.txtInline": "Alineado", + "DE.Views.DocumentHolder.txtInFront": "Delante del texto", + "DE.Views.DocumentHolder.txtInline": "En línea con el texto", "DE.Views.DocumentHolder.txtInsertArgAfter": "Insertar argumento después", "DE.Views.DocumentHolder.txtInsertArgBefore": "Insertar argumento antes", "DE.Views.DocumentHolder.txtInsertBreak": "Insertar grieta manual", @@ -1667,8 +1697,8 @@ "DE.Views.FileMenuPanels.CreateNew.txtBlank": "Documento en blanco", "DE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Crear nuevo", "DE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Aplicar", - "DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Añadir autor", - "DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Añadir texto", + "DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Agregar autor", + "DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Agregar texto", "DE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplicación", "DE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Autor", "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Cambiar derechos de acceso", @@ -1699,7 +1729,7 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "La edición eliminará las firmas del documento.
¿Continuar?", "DE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "Este documento ha sido", "DE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "Este documento necesita", - "DE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Se han añadido firmas válidas al documento. El documento está protegido frente a la edición.", + "DE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Se han agregado firmas válidas al documento. El documento está protegido contra a la edición.", "DE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Algunas de las firmas digitales del documento no son válidas o no han podido ser verificadas. El documento está protegido frente a la edición.", "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Ver firmas", "DE.Views.FileMenuPanels.Settings.okButtonText": "Aplicar", @@ -1711,7 +1741,7 @@ "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": "Añadir la versión al almacenamiento después de hacer clic en Guardar o Ctrl+S", + "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", @@ -1794,7 +1824,7 @@ "DE.Views.FormSettings.textScale": "Cuándo escalar", "DE.Views.FormSettings.textSelectImage": "Seleccionar Imagen", "DE.Views.FormSettings.textTip": "Sugerencia", - "DE.Views.FormSettings.textTipAdd": "Añadir valor nuevo", + "DE.Views.FormSettings.textTipAdd": "Agregar valor nuevo", "DE.Views.FormSettings.textTipDelete": "Eliminar valor", "DE.Views.FormSettings.textTipDown": "Mover hacia abajo", "DE.Views.FormSettings.textTipUp": "Mover hacia arriba", @@ -1816,7 +1846,7 @@ "DE.Views.FormsTab.capBtnView": "Ver formulario", "DE.Views.FormsTab.textClear": "Borrar campos", "DE.Views.FormsTab.textClearFields": "Borrar todos los campos", - "DE.Views.FormsTab.textCreateForm": "Añada campos y cree un documento OFORM rellenable", + "DE.Views.FormsTab.textCreateForm": "Agregue campos y cree un documento OFORM rellenable", "DE.Views.FormsTab.textGotIt": "Entiendo", "DE.Views.FormsTab.textHighlight": "Ajustes de resaltado", "DE.Views.FormsTab.textNoHighlight": "No resaltar", @@ -1871,6 +1901,7 @@ "DE.Views.ImageSettings.textCrop": "Recortar", "DE.Views.ImageSettings.textCropFill": "Relleno", "DE.Views.ImageSettings.textCropFit": "Adaptar", + "DE.Views.ImageSettings.textCropToShape": "Recortar a la forma", "DE.Views.ImageSettings.textEdit": "Editar", "DE.Views.ImageSettings.textEditObject": "Editar objeto", "DE.Views.ImageSettings.textFitMargins": "Ajustar al margen", @@ -1885,14 +1916,15 @@ "DE.Views.ImageSettings.textHintFlipV": "Volteo Vertical", "DE.Views.ImageSettings.textInsert": "Reemplazar imagen", "DE.Views.ImageSettings.textOriginalSize": "Tamaño real", + "DE.Views.ImageSettings.textRecentlyUsed": "Usados recientemente", "DE.Views.ImageSettings.textRotate90": "Girar 90°", "DE.Views.ImageSettings.textRotation": "Rotación", "DE.Views.ImageSettings.textSize": "Tamaño", "DE.Views.ImageSettings.textWidth": "Ancho", "DE.Views.ImageSettings.textWrap": "Ajuste de texto", - "DE.Views.ImageSettings.txtBehind": "Detrás", - "DE.Views.ImageSettings.txtInFront": "Adelante", - "DE.Views.ImageSettings.txtInline": "Alineado", + "DE.Views.ImageSettings.txtBehind": "Detrás del texto", + "DE.Views.ImageSettings.txtInFront": "Delante del texto", + "DE.Views.ImageSettings.txtInline": "En línea con el texto", "DE.Views.ImageSettings.txtSquare": "Cuadrado", "DE.Views.ImageSettings.txtThrough": "A través", "DE.Views.ImageSettings.txtTight": "Estrecho", @@ -1965,9 +1997,9 @@ "DE.Views.ImageSettingsAdvanced.textWeightArrows": "Grosores y flechas", "DE.Views.ImageSettingsAdvanced.textWidth": "Ancho", "DE.Views.ImageSettingsAdvanced.textWrap": "Ajuste de texto", - "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Detrás", - "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Adelante", - "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "Alineado", + "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Detrás del texto", + "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Delante del texto", + "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "En línea con el texto", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Cuadrado", "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "A través", "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "Estrecho", @@ -1984,7 +2016,7 @@ "DE.Views.LeftMenu.txtLimit": "Limitar acceso", "DE.Views.LeftMenu.txtTrial": "MODO DE PRUEBA", "DE.Views.LeftMenu.txtTrialDev": "Modo de programador de prueba", - "DE.Views.LineNumbersDialog.textAddLineNumbering": "Añadir numeración de líneas", + "DE.Views.LineNumbersDialog.textAddLineNumbering": "Agregar numeración de líneas", "DE.Views.LineNumbersDialog.textApplyTo": "Aplicar cambios a", "DE.Views.LineNumbersDialog.textContinuous": "Contínuo", "DE.Views.LineNumbersDialog.textCountBy": "Contar por", @@ -2000,7 +2032,7 @@ "DE.Views.LineNumbersDialog.txtAutoText": "Auto", "DE.Views.Links.capBtnBookmarks": "Marcador", "DE.Views.Links.capBtnCaption": "Leyenda", - "DE.Views.Links.capBtnContentsUpdate": "Actualizar", + "DE.Views.Links.capBtnContentsUpdate": "Actualizar la tabla", "DE.Views.Links.capBtnCrossRef": "Referencia cruzada", "DE.Views.Links.capBtnInsContents": "Tabla de contenidos", "DE.Views.Links.capBtnInsFootnote": "Nota a pie de página", @@ -2020,18 +2052,18 @@ "DE.Views.Links.textGotoEndnote": "Ir a Notas al Final", "DE.Views.Links.textGotoFootnote": "Ir a las notas a pie de página", "DE.Views.Links.textSwapNotes": "Intercambiar Notas al Pie y Notas al Final", - "DE.Views.Links.textUpdateAll": "Actualize toda la tabla", - "DE.Views.Links.textUpdatePages": "Actualize solo los números de página", + "DE.Views.Links.textUpdateAll": "Actualice toda la tabla", + "DE.Views.Links.textUpdatePages": "Actualice solo los números de página", "DE.Views.Links.tipBookmarks": "Crear marcador", "DE.Views.Links.tipCaption": "Insertar leyenda", "DE.Views.Links.tipContents": "Introducir tabla de contenidos", - "DE.Views.Links.tipContentsUpdate": "Actualize la tabla de contenidos", + "DE.Views.Links.tipContentsUpdate": "Actualice la tabla de contenidos", "DE.Views.Links.tipCrossRef": "Insertar referencia cruzada", - "DE.Views.Links.tipInsertHyperlink": "Añadir hipervínculo", + "DE.Views.Links.tipInsertHyperlink": "Agregar hipervínculo", "DE.Views.Links.tipNotes": "Introducir o editar notas a pie de página", "DE.Views.Links.tipTableFigures": "Insertar tabla de ilustraciones", - "DE.Views.Links.tipTableFiguresUpdate": "Actualizar tabla de ilustraciones", - "DE.Views.Links.titleUpdateTOF": "Actualizar tabla de ilustraciones", + "DE.Views.Links.tipTableFiguresUpdate": "Actualizar la tabla de ilustraciones", + "DE.Views.Links.titleUpdateTOF": "Actualizar la tabla de ilustraciones", "DE.Views.ListSettingsDialog.textAuto": "Automático", "DE.Views.ListSettingsDialog.textCenter": "Al centro", "DE.Views.ListSettingsDialog.textLeft": "Izquierda", @@ -2060,21 +2092,21 @@ "DE.Views.MailMergeEmailDlg.textHTML": "HTML", "DE.Views.MailMergeEmailDlg.textMessage": "Mensaje", "DE.Views.MailMergeEmailDlg.textSubject": "Línea de tema", - "DE.Views.MailMergeEmailDlg.textTitle": "Enviar vía email", + "DE.Views.MailMergeEmailDlg.textTitle": "Enviar por correo", "DE.Views.MailMergeEmailDlg.textTo": "Para", "DE.Views.MailMergeEmailDlg.textWarning": "¡Aviso!", "DE.Views.MailMergeEmailDlg.textWarningMsg": "Note, por favor, que no se puede detener el envío, una vez pulsado el botón 'Enviar'.", "DE.Views.MailMergeSettings.downloadMergeTitle": "Fusión", "DE.Views.MailMergeSettings.errorMailMergeSaveFile": "Error de fusión.", "DE.Views.MailMergeSettings.notcriticalErrorTitle": "Aviso", - "DE.Views.MailMergeSettings.textAddRecipients": "Primero añadir algunos destinatarios a la lista ", + "DE.Views.MailMergeSettings.textAddRecipients": "Primero, agregar algunos destinatarios a la lista ", "DE.Views.MailMergeSettings.textAll": "Todos registros", "DE.Views.MailMergeSettings.textCurrent": "Registro actual", "DE.Views.MailMergeSettings.textDataSource": "Fuente de datos", "DE.Views.MailMergeSettings.textDocx": "Docx", "DE.Views.MailMergeSettings.textDownload": "Descargar", "DE.Views.MailMergeSettings.textEditData": "Editar lista de destinatarios", - "DE.Views.MailMergeSettings.textEmail": "Email", + "DE.Views.MailMergeSettings.textEmail": "Correo", "DE.Views.MailMergeSettings.textFrom": "De", "DE.Views.MailMergeSettings.textGoToMail": "Siga a Correo", "DE.Views.MailMergeSettings.textHighlight": "Resaltar campos unidos", @@ -2087,7 +2119,7 @@ "DE.Views.MailMergeSettings.textPortal": "Guardar", "DE.Views.MailMergeSettings.textPreview": "Vista previa de resultados", "DE.Views.MailMergeSettings.textReadMore": "Más información", - "DE.Views.MailMergeSettings.textSendMsg": "Todos los mensajes de email están listos y se enviarán en poco tiempo.
La velocidad de envío depende de su servicio de correo.
Usted puede continuar trabajando en el documento o cerrarlo. Una vez terminada la operación la notificación se enviará a su dirección de email registrado.", + "DE.Views.MailMergeSettings.textSendMsg": "Todos los mensajes de correo están listos y se enviarán en breve.
La velocidad de envío dependerá de su servicio de correo.
Puede continuar trabajando en el documento o cerrarlo. Una vez terminada la operación la notificación se enviará a su dirección de correo de registro.", "DE.Views.MailMergeSettings.textTo": "a", "DE.Views.MailMergeSettings.txtFirst": "Primer campo", "DE.Views.MailMergeSettings.txtFromToError": "El valor \"De\" debe ser menor que \"A\"", @@ -2155,13 +2187,18 @@ "DE.Views.PageSizeDialog.textTitle": "Tamaño de página", "DE.Views.PageSizeDialog.textWidth": "Ancho", "DE.Views.PageSizeDialog.txtCustom": "Personalizado", + "DE.Views.PageThumbnails.textClosePanel": "Cerrar las miniaturas de las páginas", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "Resaltar la parte visible de la página", + "DE.Views.PageThumbnails.textPageThumbnails": "Miniaturas de página", + "DE.Views.PageThumbnails.textThumbnailsSettings": "Configuración de las miniaturas", + "DE.Views.PageThumbnails.textThumbnailsSize": "Tamaño de las miniaturas", "DE.Views.ParagraphSettings.strIndent": "Sangrías", "DE.Views.ParagraphSettings.strIndentsLeftText": "A la izquierda", "DE.Views.ParagraphSettings.strIndentsRightText": "A la derecha", "DE.Views.ParagraphSettings.strIndentsSpecial": "Especial", "DE.Views.ParagraphSettings.strLineHeight": "Espaciado de línea", "DE.Views.ParagraphSettings.strParagraphSpacing": "Espaciado de Párafo ", - "DE.Views.ParagraphSettings.strSomeParagraphSpace": "No añadir intervalo entre párrafos del mismo estilo", + "DE.Views.ParagraphSettings.strSomeParagraphSpace": "No agregue intervalos entre párrafos del mismo estilo", "DE.Views.ParagraphSettings.strSpacingAfter": "Después", "DE.Views.ParagraphSettings.strSpacingBefore": "Antes", "DE.Views.ParagraphSettings.textAdvanced": "Mostrar ajustes avanzados", @@ -2196,7 +2233,7 @@ "DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "Saltos de línea y Saltos de página", "DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Ubicación", "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Mayúsculas pequeñas", - "DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "No añada intervalos entre párrafos del mismo estilo", + "DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "No agregue intervalos entre párrafos del mismo estilo", "DE.Views.ParagraphSettingsAdvanced.strSpacing": "Espaciado", "DE.Views.ParagraphSettingsAdvanced.strStrike": "Tachado", "DE.Views.ParagraphSettingsAdvanced.strSubscript": "Subíndice", @@ -2290,6 +2327,7 @@ "DE.Views.ShapeSettings.textPatternFill": "Patrón", "DE.Views.ShapeSettings.textPosition": "Posición", "DE.Views.ShapeSettings.textRadial": "Radial", + "DE.Views.ShapeSettings.textRecentlyUsed": "Usados recientemente", "DE.Views.ShapeSettings.textRotate90": "Girar 90°", "DE.Views.ShapeSettings.textRotation": "Rotación", "DE.Views.ShapeSettings.textSelectImage": "Seleccionar imagen", @@ -2299,9 +2337,9 @@ "DE.Views.ShapeSettings.textTexture": "De textura", "DE.Views.ShapeSettings.textTile": "Mosaico", "DE.Views.ShapeSettings.textWrap": "Ajuste de texto", - "DE.Views.ShapeSettings.tipAddGradientPoint": "Añadir punto de degradado", + "DE.Views.ShapeSettings.tipAddGradientPoint": "Agregar punto de degradado", "DE.Views.ShapeSettings.tipRemoveGradientPoint": "Eliminar punto de degradado", - "DE.Views.ShapeSettings.txtBehind": "Detrás", + "DE.Views.ShapeSettings.txtBehind": "Detrás del texto", "DE.Views.ShapeSettings.txtBrownPaper": "Papel marrón", "DE.Views.ShapeSettings.txtCanvas": "Lienzo", "DE.Views.ShapeSettings.txtCarton": "Cartón", @@ -2309,8 +2347,8 @@ "DE.Views.ShapeSettings.txtGrain": "Grano", "DE.Views.ShapeSettings.txtGranite": "Granito", "DE.Views.ShapeSettings.txtGreyPaper": "Papel gris", - "DE.Views.ShapeSettings.txtInFront": "Adelante", - "DE.Views.ShapeSettings.txtInline": "Alineado", + "DE.Views.ShapeSettings.txtInFront": "Delante del texto", + "DE.Views.ShapeSettings.txtInline": "En línea con el texto", "DE.Views.ShapeSettings.txtKnit": "Tejido", "DE.Views.ShapeSettings.txtLeather": "Piel", "DE.Views.ShapeSettings.txtNoBorders": "Sin línea", @@ -2334,7 +2372,7 @@ "DE.Views.SignatureSettings.txtEditWarning": "La edición eliminará las firmas del documento.
¿Continuar?", "DE.Views.SignatureSettings.txtRemoveWarning": "¿Desea eliminar esta firma?
No se puede deshacer.", "DE.Views.SignatureSettings.txtRequestedSignatures": "Este documento necesita", - "DE.Views.SignatureSettings.txtSigned": "Se han añadido firmas válidas al documento. El documento está protegido frente a la edición.", + "DE.Views.SignatureSettings.txtSigned": "Se han agregado firmas válidas al documento. El documento está protegido contra a la edición.", "DE.Views.SignatureSettings.txtSignedInvalid": "Algunas de las firmas digitales del documento no son válidas o no han podido ser verificadas. El documento está protegido frente a la edición.", "DE.Views.Statusbar.goToPageText": "Ir a página", "DE.Views.Statusbar.pageIndexText": "Página {0} de {1}", @@ -2402,7 +2440,7 @@ "DE.Views.TableSettings.splitCellsText": "Dividir celda...", "DE.Views.TableSettings.splitCellTitleText": "Dividir celda", "DE.Views.TableSettings.strRepeatRow": "Repetir como una fila de encabezado en la parte superior de cada página", - "DE.Views.TableSettings.textAddFormula": "Añadir fórmula", + "DE.Views.TableSettings.textAddFormula": "Agregar fórmula", "DE.Views.TableSettings.textAdvanced": "Mostrar ajustes avanzados", "DE.Views.TableSettings.textBackColor": "Color de fondo", "DE.Views.TableSettings.textBanded": "Con bandas", @@ -2543,7 +2581,7 @@ "DE.Views.TextArtSettings.textStyle": "Estilo", "DE.Views.TextArtSettings.textTemplate": "Plantilla", "DE.Views.TextArtSettings.textTransform": "Transformar", - "DE.Views.TextArtSettings.tipAddGradientPoint": "Añadir punto de degradado", + "DE.Views.TextArtSettings.tipAddGradientPoint": "Agregar punto de degradado", "DE.Views.TextArtSettings.tipRemoveGradientPoint": "Eliminar punto de degradado", "DE.Views.TextArtSettings.txtNoBorders": "Sin línea", "DE.Views.TextToTableDialog.textAutofit": "Autoajuste", @@ -2561,7 +2599,7 @@ "DE.Views.TextToTableDialog.textTitle": "Convertir texto en tabla", "DE.Views.TextToTableDialog.textWindow": "Autoajustar a la ventana", "DE.Views.TextToTableDialog.txtAutoText": "Auto", - "DE.Views.Toolbar.capBtnAddComment": "Añadir comentario", + "DE.Views.Toolbar.capBtnAddComment": "Agregar comentario", "DE.Views.Toolbar.capBtnBlankPage": "Página en blanco", "DE.Views.Toolbar.capBtnColumns": "Columnas", "DE.Views.Toolbar.capBtnComment": "Comentario", @@ -2647,7 +2685,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Normal", "DE.Views.Toolbar.textMarginsUsNormal": "US Normal", "DE.Views.Toolbar.textMarginsWide": "Amplio", - "DE.Views.Toolbar.textNewColor": "Añadir nuevo color personalizado", + "DE.Views.Toolbar.textNewColor": "Agregar nuevo color personalizado", "DE.Views.Toolbar.textNextPage": "Página siguiente", "DE.Views.Toolbar.textNoHighlight": "No resaltar", "DE.Views.Toolbar.textNone": "Ningún", @@ -2681,6 +2719,7 @@ "DE.Views.Toolbar.textTabLinks": "Referencias", "DE.Views.Toolbar.textTabProtect": "Protección", "DE.Views.Toolbar.textTabReview": "Revisar", + "DE.Views.Toolbar.textTabView": "Vista", "DE.Views.Toolbar.textTitleError": "Error", "DE.Views.Toolbar.textToCurrent": "A la posición actual", "DE.Views.Toolbar.textTop": "Top: ", @@ -2772,6 +2811,15 @@ "DE.Views.Toolbar.txtScheme7": "Equidad ", "DE.Views.Toolbar.txtScheme8": "Flujo", "DE.Views.Toolbar.txtScheme9": "Fundición", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Mostrar siempre la barra de herramientas", + "DE.Views.ViewTab.textDarkDocument": "Documento oscuro", + "DE.Views.ViewTab.textFitToPage": "Ajustar a la página", + "DE.Views.ViewTab.textFitToWidth": "Ajustar al ancho", + "DE.Views.ViewTab.textInterfaceTheme": "Tema del interfaz", + "DE.Views.ViewTab.textNavigation": "Navegación", + "DE.Views.ViewTab.textRulers": "Reglas", + "DE.Views.ViewTab.textStatusBar": "Barra de estado", + "DE.Views.ViewTab.textZoom": "Zoom", "DE.Views.WatermarkSettingsDialog.textAuto": "Auto", "DE.Views.WatermarkSettingsDialog.textBold": "Negrita", "DE.Views.WatermarkSettingsDialog.textColor": "Color de texto", diff --git a/apps/documenteditor/main/locale/fi.json b/apps/documenteditor/main/locale/fi.json index 762d493a4..9b296c9a1 100644 --- a/apps/documenteditor/main/locale/fi.json +++ b/apps/documenteditor/main/locale/fi.json @@ -447,6 +447,7 @@ "DE.Controllers.Toolbar.textRadical": "Radikaalit", "DE.Controllers.Toolbar.textScript": "Skriptit", "DE.Controllers.Toolbar.textSymbols": "Symbolit", + "DE.Controllers.Toolbar.textTabForms": "Lomakkeet", "DE.Controllers.Toolbar.textWarning": "Varoitus", "DE.Controllers.Toolbar.txtAccent_Accent": "Akuutti", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Oikea-Vasen nuoli ylhäällä", @@ -775,6 +776,8 @@ "DE.Views.BookmarksDialog.textLocation": "Sijainti", "DE.Views.BookmarksDialog.textName": "Nimi", "DE.Views.BookmarksDialog.textSort": "Lajitteluperuste", + "DE.Views.CaptionDialog.textAfter": "Jälkeen", + "DE.Views.CaptionDialog.textBefore": "Ennen", "DE.Views.ChartSettings.textAdvanced": "Näytä laajennetut asetukset", "DE.Views.ChartSettings.textChartType": "Muuta kaavion tyyppiä", "DE.Views.ChartSettings.textEditData": "Muokkaa tietoja", @@ -1089,6 +1092,7 @@ "DE.Views.FileMenuPanels.Settings.txtPt": "Piste", "DE.Views.FileMenuPanels.Settings.txtSpellCheck": "Oikeinkirjoituksen tarkistus", "DE.Views.FileMenuPanels.Settings.txtWin": "kuten Windows", + "DE.Views.FormSettings.textImage": "Kuva", "DE.Views.HeaderFooterSettings.textBottomCenter": "Alhaalla keskellä", "DE.Views.HeaderFooterSettings.textBottomLeft": "Alhaalla vasemmalla", "DE.Views.HeaderFooterSettings.textBottomRight": "Alhaalla oikealla", @@ -1214,6 +1218,8 @@ "DE.Views.Links.textGotoFootnote": "Siirry alaviitteisiin", "DE.Views.Links.tipInsertHyperlink": "Lisää linkki", "DE.Views.Links.tipNotes": "Alaviitteet", + "DE.Views.ListSettingsDialog.textAuto": "Automaattinen", + "DE.Views.ListSettingsDialog.textLevel": "Taso", "DE.Views.MailMergeEmailDlg.filePlaceholder": "PDF", "DE.Views.MailMergeEmailDlg.okButtonText": "Lähetä", "DE.Views.MailMergeEmailDlg.subjectPlaceholder": "Teema", @@ -1293,7 +1299,7 @@ "DE.Views.PageSizeDialog.textTitle": "Sivun koko", "DE.Views.PageSizeDialog.textWidth": "Leveys", "DE.Views.PageSizeDialog.txtCustom": "Mukautettu", - "DE.Views.ParagraphSettings.strLineHeight": "Viivan väli", + "DE.Views.ParagraphSettings.strLineHeight": "Viivaväli", "DE.Views.ParagraphSettings.strParagraphSpacing": "Kappaleväli", "DE.Views.ParagraphSettings.strSomeParagraphSpace": "Älä lisää kappalevälejä samalla tyylillä", "DE.Views.ParagraphSettings.strSpacingAfter": "jälkeen", @@ -1312,6 +1318,7 @@ "DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Kaksois yliviivaus", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Vasen", "DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Oikea", + "DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Erityinen", "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Pidä viivat yhdessä", "DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Pidä seuraavalla", "DE.Views.ParagraphSettingsAdvanced.strMargins": "Palstantäytteet", @@ -1320,11 +1327,14 @@ "DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Sisennykset & Sijoitukset", "DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Sijoitus", "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Kapiteelit", + "DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "Älä lisää kappalevälejä samalla tyylillä", "DE.Views.ParagraphSettingsAdvanced.strStrike": "Yliviivaus", "DE.Views.ParagraphSettingsAdvanced.strSubscript": "Alaindeksi", "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Yläindeksi", "DE.Views.ParagraphSettingsAdvanced.strTabs": "Välilehti", "DE.Views.ParagraphSettingsAdvanced.textAlign": "Tasaus", + "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Vähintään", + "DE.Views.ParagraphSettingsAdvanced.textAuto": "Moninkertainen", "DE.Views.ParagraphSettingsAdvanced.textBackColor": "Taustan väri", "DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Reunuksen väri", "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Klikkaa diagrammia tai käytä painikkeita reunusten valintaan ja käytä valittua tyyliä niihin", @@ -1333,6 +1343,8 @@ "DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Kirjainväli", "DE.Views.ParagraphSettingsAdvanced.textDefault": "Oletus välilehti", "DE.Views.ParagraphSettingsAdvanced.textEffects": "Efektit", + "DE.Views.ParagraphSettingsAdvanced.textExact": "Täsmälleen", + "DE.Views.ParagraphSettingsAdvanced.textFirstLine": "Ensimmäinen viiva", "DE.Views.ParagraphSettingsAdvanced.textLeft": "Vasen", "DE.Views.ParagraphSettingsAdvanced.textNone": "Ei mitään", "DE.Views.ParagraphSettingsAdvanced.textPosition": "Asema", @@ -1674,7 +1686,7 @@ "DE.Views.Toolbar.tipIncPrLeft": "Lisää sisennystä", "DE.Views.Toolbar.tipInsertChart": "Lisää Kaavio", "DE.Views.Toolbar.tipInsertEquation": "Lisää yhtälö", - "DE.Views.Toolbar.tipInsertImage": "Lisää Kuva", + "DE.Views.Toolbar.tipInsertImage": "Lisää kuva", "DE.Views.Toolbar.tipInsertNum": "Lisää sivunumero", "DE.Views.Toolbar.tipInsertShape": "Lisää automaattinen muoto", "DE.Views.Toolbar.tipInsertTable": "Lisää taulukko", diff --git a/apps/documenteditor/main/locale/fr.json b/apps/documenteditor/main/locale/fr.json index 3d9062c2a..b7a916f08 100644 --- a/apps/documenteditor/main/locale/fr.json +++ b/apps/documenteditor/main/locale/fr.json @@ -168,6 +168,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nouvelle", "Common.UI.ExtendedColorDialog.textRGBErr": "La valeur saisie est incorrecte.
Entrez une valeur numérique de 0 à 255.", "Common.UI.HSBColorPicker.textNoColor": "Pas de couleur", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Masquer le mot de passe", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Afficher le mot de passe", "Common.UI.SearchDialog.textHighlight": "Surligner les résultats", "Common.UI.SearchDialog.textMatchCase": "Сas sensible", "Common.UI.SearchDialog.textReplaceDef": "Saisissez le texte de remplacement", @@ -211,6 +213,8 @@ "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", "Common.Views.AutoCorrectDialog.textHyphens": "Traits d’union (--) avec tiret (—)", @@ -236,12 +240,14 @@ "Common.Views.Comments.mniAuthorDesc": "Auteur de Z à A", "Common.Views.Comments.mniDateAsc": "Plus ancien", "Common.Views.Comments.mniDateDesc": "Plus récent", + "Common.Views.Comments.mniFilterGroups": "Filtrer par groupe", "Common.Views.Comments.mniPositionAsc": "Du haut", "Common.Views.Comments.mniPositionDesc": "Du bas", "Common.Views.Comments.textAdd": "Ajouter", "Common.Views.Comments.textAddComment": "Ajouter", "Common.Views.Comments.textAddCommentToDoc": "Ajouter un commentaire au document", "Common.Views.Comments.textAddReply": "Ajouter une réponse", + "Common.Views.Comments.textAll": "Tout", "Common.Views.Comments.textAnonym": "Invité", "Common.Views.Comments.textCancel": "Annuler", "Common.Views.Comments.textClose": "Fermer", @@ -255,6 +261,7 @@ "Common.Views.Comments.textResolve": "Résoudre", "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.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", @@ -431,6 +438,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Ouvrir à nouveau", "Common.Views.ReviewPopover.textReply": "Répondre", "Common.Views.ReviewPopover.textResolve": "Résoudre", + "Common.Views.ReviewPopover.textViewResolved": "Vous n'avez pas la permission de rouvrir le commentaire", "Common.Views.ReviewPopover.txtAccept": "Accepter", "Common.Views.ReviewPopover.txtDeleteTip": "Supprimer", "Common.Views.ReviewPopover.txtEditTip": "Modifier", @@ -504,6 +512,7 @@ "DE.Controllers.LeftMenu.txtCompatible": "Le fichier sera enregistré au nouveau format. Toutes les fonctionnalités des éditeurs vous seront disponibles, mais cela peut affecter la mise en page du document.
Activez l'option \" Compatibilité \" dans les paramètres avancés pour rendre votre fichier compatible avec les anciennes versions de MS Word. ", "DE.Controllers.LeftMenu.txtUntitled": "Sans titre", "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.Main.applyChangesTextText": "Chargement des changemets...", "DE.Controllers.Main.applyChangesTitleText": "Chargement des changemets", @@ -602,6 +611,7 @@ "DE.Controllers.Main.textLongName": "Entrez un nom inférieur à 128 caractères.", "DE.Controllers.Main.textNoLicenseTitle": "La limite de la licence est atteinte", "DE.Controllers.Main.textPaidFeature": "Fonction payante", + "DE.Controllers.Main.textReconnect": "La connexion est restaurée", "DE.Controllers.Main.textRemember": "Se souvenir de mon choix pour tous les fichiers", "DE.Controllers.Main.textRenameError": "Le nom d'utilisateur ne peut être vide.", "DE.Controllers.Main.textRenameLabel": "Entrez un nom à utiliser pour la collaboration", @@ -879,6 +889,7 @@ "DE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.", "DE.Controllers.Navigation.txtBeginning": "Début du document", "DE.Controllers.Navigation.txtGotoBeginning": "Aller au début du document", + "DE.Controllers.Statusbar.textDisconnect": "La connexion est perdue
Tentative de connexion. Veuillez vérifier les paramètres de connexion.", "DE.Controllers.Statusbar.textHasChanges": "Nouveaux changements ont été suivis", "DE.Controllers.Statusbar.textSetTrackChanges": "Vous êtes dans le mode de suivi des modifications.", "DE.Controllers.Statusbar.textTrackChanges": "Le document est ouvert avec le mode Suivi des modifications activé", @@ -902,10 +913,22 @@ "DE.Controllers.Toolbar.textMatrix": "Matrices", "DE.Controllers.Toolbar.textOperator": "Opérateurs", "DE.Controllers.Toolbar.textRadical": "Radicaux", + "DE.Controllers.Toolbar.textRecentlyUsed": "Récemment utilisé", "DE.Controllers.Toolbar.textScript": "Scripts", "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", @@ -1281,9 +1304,9 @@ "DE.Views.ChartSettings.textUndock": "Détacher du panneau", "DE.Views.ChartSettings.textWidth": "Largeur", "DE.Views.ChartSettings.textWrap": "Style d'habillage", - "DE.Views.ChartSettings.txtBehind": "Derrière", - "DE.Views.ChartSettings.txtInFront": "Devant", - "DE.Views.ChartSettings.txtInline": "En ligne", + "DE.Views.ChartSettings.txtBehind": "Derrière le texte", + "DE.Views.ChartSettings.txtInFront": "Devant le texte", + "DE.Views.ChartSettings.txtInline": "Aligné sur le texte", "DE.Views.ChartSettings.txtSquare": "Carré", "DE.Views.ChartSettings.txtThrough": "Au travers", "DE.Views.ChartSettings.txtTight": "Rapproché", @@ -1439,6 +1462,7 @@ "DE.Views.DocumentHolder.strSign": "Signer", "DE.Views.DocumentHolder.styleText": "En tant que style", "DE.Views.DocumentHolder.tableText": "Tableau", + "DE.Views.DocumentHolder.textAccept": "Accepter la modification", "DE.Views.DocumentHolder.textAlign": "Aligner", "DE.Views.DocumentHolder.textArrange": "Organiser", "DE.Views.DocumentHolder.textArrangeBack": "Mettre en arrière-plan", @@ -1457,6 +1481,7 @@ "DE.Views.DocumentHolder.textDistributeCols": "Distribuer les colonnes", "DE.Views.DocumentHolder.textDistributeRows": "Distribuer les lignes", "DE.Views.DocumentHolder.textEditControls": "Paramètres de contrôle du contenu", + "DE.Views.DocumentHolder.textEditPoints": "Modifier les points", "DE.Views.DocumentHolder.textEditWrapBoundary": "Modifier les limites du renvoi à la ligne", "DE.Views.DocumentHolder.textFlipH": "Retourner horizontalement", "DE.Views.DocumentHolder.textFlipV": "Retourner verticalement", @@ -1472,6 +1497,7 @@ "DE.Views.DocumentHolder.textPaste": "Coller", "DE.Views.DocumentHolder.textPrevPage": "Page précédente", "DE.Views.DocumentHolder.textRefreshField": "Actualiser le champ", + "DE.Views.DocumentHolder.textReject": "Rejeter la modification", "DE.Views.DocumentHolder.textRemCheckBox": "Supprimer une case à cocher", "DE.Views.DocumentHolder.textRemComboBox": "Supprimer une zone de liste déroulante", "DE.Views.DocumentHolder.textRemDropdown": "Supprimer une liste déroulante", @@ -1505,6 +1531,14 @@ "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", @@ -1516,7 +1550,7 @@ "DE.Views.DocumentHolder.txtAddTop": "Ajouter une bordure supérieure", "DE.Views.DocumentHolder.txtAddVer": "Ajouter une ligne verticale", "DE.Views.DocumentHolder.txtAlignToChar": "Aligner à caractère", - "DE.Views.DocumentHolder.txtBehind": "Derrière", + "DE.Views.DocumentHolder.txtBehind": "Derrière le texte", "DE.Views.DocumentHolder.txtBorderProps": "Propriétés de bordure", "DE.Views.DocumentHolder.txtBottom": "En bas", "DE.Views.DocumentHolder.txtColumnAlign": "L'alignement de la colonne", @@ -1552,8 +1586,8 @@ "DE.Views.DocumentHolder.txtHideTopLimit": "Cacher limite supérieure", "DE.Views.DocumentHolder.txtHideVer": "Cacher ligne verticale", "DE.Views.DocumentHolder.txtIncreaseArg": "Augmenter la taille de l'argument", - "DE.Views.DocumentHolder.txtInFront": "Devant", - "DE.Views.DocumentHolder.txtInline": "En ligne", + "DE.Views.DocumentHolder.txtInFront": "Devant le texte", + "DE.Views.DocumentHolder.txtInline": "Aligné sur le texte", "DE.Views.DocumentHolder.txtInsertArgAfter": "Insérez l'argument après", "DE.Views.DocumentHolder.txtInsertArgBefore": "Insérez argument devant", "DE.Views.DocumentHolder.txtInsertBreak": "Insérer pause manuelle", @@ -1871,6 +1905,7 @@ "DE.Views.ImageSettings.textCrop": "Rogner", "DE.Views.ImageSettings.textCropFill": "Remplissage", "DE.Views.ImageSettings.textCropFit": "Ajuster", + "DE.Views.ImageSettings.textCropToShape": "Rogner à la forme", "DE.Views.ImageSettings.textEdit": "Modifier", "DE.Views.ImageSettings.textEditObject": "Modifier l'objet", "DE.Views.ImageSettings.textFitMargins": "Ajuster aux marges", @@ -1885,14 +1920,15 @@ "DE.Views.ImageSettings.textHintFlipV": "Retourner verticalement", "DE.Views.ImageSettings.textInsert": "Remplacer l’image", "DE.Views.ImageSettings.textOriginalSize": "Taille actuelle", + "DE.Views.ImageSettings.textRecentlyUsed": "Récemment utilisé", "DE.Views.ImageSettings.textRotate90": "Faire pivoter de 90°", "DE.Views.ImageSettings.textRotation": "Rotation", "DE.Views.ImageSettings.textSize": "Taille", "DE.Views.ImageSettings.textWidth": "Largeur", "DE.Views.ImageSettings.textWrap": "Style d'habillage", - "DE.Views.ImageSettings.txtBehind": "Derrière", - "DE.Views.ImageSettings.txtInFront": "Devant", - "DE.Views.ImageSettings.txtInline": "En ligne", + "DE.Views.ImageSettings.txtBehind": "Derrière le texte", + "DE.Views.ImageSettings.txtInFront": "Devant le texte", + "DE.Views.ImageSettings.txtInline": "Aligné sur le texte", "DE.Views.ImageSettings.txtSquare": "Carré", "DE.Views.ImageSettings.txtThrough": "Au travers", "DE.Views.ImageSettings.txtTight": "Rapproché", @@ -1965,9 +2001,9 @@ "DE.Views.ImageSettingsAdvanced.textWeightArrows": "Poids et flèches", "DE.Views.ImageSettingsAdvanced.textWidth": "Largeur", "DE.Views.ImageSettingsAdvanced.textWrap": "Style d'habillage", - "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Derrière", - "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Devant", - "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "En ligne", + "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Derrière le texte", + "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Devant le texte", + "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "Aligné sur le texte", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Carré", "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "Au travers", "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "Rapproché", @@ -2000,7 +2036,7 @@ "DE.Views.LineNumbersDialog.txtAutoText": "Auto", "DE.Views.Links.capBtnBookmarks": "Signet", "DE.Views.Links.capBtnCaption": "Légende", - "DE.Views.Links.capBtnContentsUpdate": "Actualiser", + "DE.Views.Links.capBtnContentsUpdate": "Actualiser la table", "DE.Views.Links.capBtnCrossRef": "Renvoi", "DE.Views.Links.capBtnInsContents": "Table des matières", "DE.Views.Links.capBtnInsFootnote": "Note de bas de page", @@ -2155,6 +2191,11 @@ "DE.Views.PageSizeDialog.textTitle": "Taille de la page", "DE.Views.PageSizeDialog.textWidth": "Largeur", "DE.Views.PageSizeDialog.txtCustom": "Personnalisé", + "DE.Views.PageThumbnails.textClosePanel": "Fermer les miniatures des pages", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "Mettre en surbrillance la partie visible de la page", + "DE.Views.PageThumbnails.textPageThumbnails": "Miniatures des pages", + "DE.Views.PageThumbnails.textThumbnailsSettings": "Paramètres des miniatures", + "DE.Views.PageThumbnails.textThumbnailsSize": "Taille des miniatures", "DE.Views.ParagraphSettings.strIndent": "Retraits", "DE.Views.ParagraphSettings.strIndentsLeftText": "À gauche", "DE.Views.ParagraphSettings.strIndentsRightText": "Droite", @@ -2290,6 +2331,7 @@ "DE.Views.ShapeSettings.textPatternFill": "Modèle", "DE.Views.ShapeSettings.textPosition": "Position", "DE.Views.ShapeSettings.textRadial": "Radial", + "DE.Views.ShapeSettings.textRecentlyUsed": "Récemment utilisé", "DE.Views.ShapeSettings.textRotate90": "Faire pivoter de 90°", "DE.Views.ShapeSettings.textRotation": "Rotation", "DE.Views.ShapeSettings.textSelectImage": "Sélectionner l'image", @@ -2301,7 +2343,7 @@ "DE.Views.ShapeSettings.textWrap": "Style d'habillage", "DE.Views.ShapeSettings.tipAddGradientPoint": "Ajouter un point de dégradé", "DE.Views.ShapeSettings.tipRemoveGradientPoint": "Supprimer le point de dégradé", - "DE.Views.ShapeSettings.txtBehind": "Derrière", + "DE.Views.ShapeSettings.txtBehind": "Derrière le texte", "DE.Views.ShapeSettings.txtBrownPaper": "Papier brun", "DE.Views.ShapeSettings.txtCanvas": "Toile", "DE.Views.ShapeSettings.txtCarton": "Carton", @@ -2309,8 +2351,8 @@ "DE.Views.ShapeSettings.txtGrain": "Grain", "DE.Views.ShapeSettings.txtGranite": "Granit", "DE.Views.ShapeSettings.txtGreyPaper": "Papier gris", - "DE.Views.ShapeSettings.txtInFront": "Devant", - "DE.Views.ShapeSettings.txtInline": "En ligne", + "DE.Views.ShapeSettings.txtInFront": "Devant le texte", + "DE.Views.ShapeSettings.txtInline": "Aligné sur le texte", "DE.Views.ShapeSettings.txtKnit": "Tricot", "DE.Views.ShapeSettings.txtLeather": "Cuir", "DE.Views.ShapeSettings.txtNoBorders": "Pas de ligne", @@ -2340,6 +2382,8 @@ "DE.Views.Statusbar.pageIndexText": "Page {0} de {1}", "DE.Views.Statusbar.tipFitPage": "Ajuster à la page", "DE.Views.Statusbar.tipFitWidth": "Ajuster à la largeur", + "DE.Views.Statusbar.tipHandTool": "Outil Main", + "DE.Views.Statusbar.tipSelectTool": "Outil de sélection", "DE.Views.Statusbar.tipSetLang": "Définir la langue du texte", "DE.Views.Statusbar.tipZoomFactor": "Grossissement", "DE.Views.Statusbar.tipZoomIn": "Zoom avant", @@ -2681,6 +2725,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.textTitleError": "Erreur", "DE.Views.Toolbar.textToCurrent": "À la position actuelle", "DE.Views.Toolbar.textTop": "En haut: ", @@ -2772,6 +2817,15 @@ "DE.Views.Toolbar.txtScheme7": "Capitaux", "DE.Views.Toolbar.txtScheme8": "Flux", "DE.Views.Toolbar.txtScheme9": "Fonderie", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Toujours afficher la barre d'outils", + "DE.Views.ViewTab.textDarkDocument": "Document sombre", + "DE.Views.ViewTab.textFitToPage": "Ajuster à la page", + "DE.Views.ViewTab.textFitToWidth": "Ajuster à la largeur", + "DE.Views.ViewTab.textInterfaceTheme": "Thème d’interface", + "DE.Views.ViewTab.textNavigation": "Navigation", + "DE.Views.ViewTab.textRulers": "Règles", + "DE.Views.ViewTab.textStatusBar": "Barre d'état", + "DE.Views.ViewTab.textZoom": "Zoom", "DE.Views.WatermarkSettingsDialog.textAuto": "Auto", "DE.Views.WatermarkSettingsDialog.textBold": "Gras", "DE.Views.WatermarkSettingsDialog.textColor": "Couleur du texte", diff --git a/apps/documenteditor/main/locale/gl.json b/apps/documenteditor/main/locale/gl.json index f2fb1b42f..fbe4e2b4b 100644 --- a/apps/documenteditor/main/locale/gl.json +++ b/apps/documenteditor/main/locale/gl.json @@ -168,6 +168,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Novo", "Common.UI.ExtendedColorDialog.textRGBErr": "O valor introducido é incorrecto.
Insira un valor numérico entre 0 e 255.", "Common.UI.HSBColorPicker.textNoColor": "Sen cor", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Agochar o contrasinal", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Amosar o contrasinal", "Common.UI.SearchDialog.textHighlight": "Realzar resultados", "Common.UI.SearchDialog.textMatchCase": "Diferenciar maiúsculas de minúsculas", "Common.UI.SearchDialog.textReplaceDef": "Inserir o texto da substitución", @@ -211,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.textFLCells": "Poñer en maiúsculas a primeira letra das celas da táboa", "Common.Views.AutoCorrectDialog.textFLSentence": "Poñer en maiúscula a primeira letra dunha oración", "Common.Views.AutoCorrectDialog.textHyperlink": "Rutas da rede e Internet por hiperligazóns", "Common.Views.AutoCorrectDialog.textHyphens": "Guiones (--) con guión (—)", @@ -236,12 +239,14 @@ "Common.Views.Comments.mniAuthorDesc": "Autor do Z a A", "Common.Views.Comments.mniDateAsc": "Máis antigo", "Common.Views.Comments.mniDateDesc": "Novidades", + "Common.Views.Comments.mniFilterGroups": "Filtrar por grupo", "Common.Views.Comments.mniPositionAsc": "Desde enriba", "Common.Views.Comments.mniPositionDesc": "Desde abaixo", "Common.Views.Comments.textAdd": "Engadir", "Common.Views.Comments.textAddComment": "Engadir comentario", "Common.Views.Comments.textAddCommentToDoc": "Engadir comentario ao documento", "Common.Views.Comments.textAddReply": "Engadir resposta", + "Common.Views.Comments.textAll": "Todo", "Common.Views.Comments.textAnonym": "Convidado(a)", "Common.Views.Comments.textCancel": "Cancelar", "Common.Views.Comments.textClose": "Pechar", @@ -255,6 +260,7 @@ "Common.Views.Comments.textResolve": "Resolver", "Common.Views.Comments.textResolved": "Resolto", "Common.Views.Comments.textSort": "Ordenar comentarios", + "Common.Views.Comments.textViewResolved": "Non ten permiso para volver a abrir o documento", "Common.Views.CopyWarningDialog.textDontShow": "Non volver a amosar esta mensaxe", "Common.Views.CopyWarningDialog.textMsg": "As accións de copiar, cortar e pegar empregando os botóns da barra de ferramentas do editor e as accións do menú contextual realizaranse só nesta pestana do editor.

Para copiar ou pegar en ou desde aplicativos fóra da pestana do editor, use as seguintes combinacións de teclado:", "Common.Views.CopyWarningDialog.textTitle": "Accións de copiar, cortar e pegar", @@ -431,6 +437,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Abrir novamente", "Common.Views.ReviewPopover.textReply": "Responder", "Common.Views.ReviewPopover.textResolve": "Resolver", + "Common.Views.ReviewPopover.textViewResolved": "Non ten permiso para volver a abrir o documento", "Common.Views.ReviewPopover.txtAccept": "Aceptar", "Common.Views.ReviewPopover.txtDeleteTip": "Eliminar", "Common.Views.ReviewPopover.txtEditTip": "Editar", @@ -602,6 +609,7 @@ "DE.Controllers.Main.textLongName": "Insira un nome que teña menos de 128 caracteres.", "DE.Controllers.Main.textNoLicenseTitle": "Alcanzouse o límite da licenza", "DE.Controllers.Main.textPaidFeature": "Característica de pago", + "DE.Controllers.Main.textReconnect": "Restaurouse a conexión", "DE.Controllers.Main.textRemember": "Recordar a miña elección para todos os ficheiros", "DE.Controllers.Main.textRenameError": "O nome de usuario non pode estar vacío.", "DE.Controllers.Main.textRenameLabel": "Insira un nome que se usará para a colaboración", @@ -879,6 +887,7 @@ "DE.Controllers.Main.warnProcessRightsChange": "O dereito de edición do ficheiro é denegado.", "DE.Controllers.Navigation.txtBeginning": "Principio do documento", "DE.Controllers.Navigation.txtGotoBeginning": "Ir ao inicio do documento", + "DE.Controllers.Statusbar.textDisconnect": "Perdeuse a conexión
Intentando conectarse. Comproba a configuración de conexión.", "DE.Controllers.Statusbar.textHasChanges": "Novos cambios foron atopados", "DE.Controllers.Statusbar.textSetTrackChanges": "Está no modo de seguemento de cambios", "DE.Controllers.Statusbar.textTrackChanges": "O documento ábrese co modo de cambio de pista activado", @@ -902,10 +911,22 @@ "DE.Controllers.Toolbar.textMatrix": "Matrices", "DE.Controllers.Toolbar.textOperator": "Operadores", "DE.Controllers.Toolbar.textRadical": "Radicais", + "DE.Controllers.Toolbar.textRecentlyUsed": "Usados recentemente", "DE.Controllers.Toolbar.textScript": "Letras", "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", @@ -1457,6 +1478,7 @@ "DE.Views.DocumentHolder.textDistributeCols": "Distribuír columnas", "DE.Views.DocumentHolder.textDistributeRows": "Distribuír filas", "DE.Views.DocumentHolder.textEditControls": "A configuración do control de contido", + "DE.Views.DocumentHolder.textEditPoints": "Editar puntos", "DE.Views.DocumentHolder.textEditWrapBoundary": "Editar límite de axuste", "DE.Views.DocumentHolder.textFlipH": "Virar horizontalmente", "DE.Views.DocumentHolder.textFlipV": "Virar verticalmente", @@ -1505,6 +1527,14 @@ "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", @@ -1743,6 +1773,7 @@ "DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "Amosar cun premer nos globos", "DE.Views.FileMenuPanels.Settings.txtChangesTip": "Amosar ao manter o punteiro na información sobre ferramentas", "DE.Views.FileMenuPanels.Settings.txtCm": "Centímetro", + "DE.Views.FileMenuPanels.Settings.txtDarkMode": "Activar o modo escuro para documentos", "DE.Views.FileMenuPanels.Settings.txtFitPage": "Axustar á páxina", "DE.Views.FileMenuPanels.Settings.txtFitWidth": "Axustar á anchura", "DE.Views.FileMenuPanels.Settings.txtInch": "Pulgada", @@ -1870,6 +1901,7 @@ "DE.Views.ImageSettings.textCrop": "Recortar", "DE.Views.ImageSettings.textCropFill": "Encher", "DE.Views.ImageSettings.textCropFit": "Adaptar", + "DE.Views.ImageSettings.textCropToShape": "Cortar para dar forma", "DE.Views.ImageSettings.textEdit": "Editar", "DE.Views.ImageSettings.textEditObject": "Editar obxecto", "DE.Views.ImageSettings.textFitMargins": "Axustar á marxe", @@ -1884,12 +1916,13 @@ "DE.Views.ImageSettings.textHintFlipV": "Virar verticalmente", "DE.Views.ImageSettings.textInsert": "Substituír imaxe", "DE.Views.ImageSettings.textOriginalSize": "Tamaño actual", + "DE.Views.ImageSettings.textRecentlyUsed": "Usados recentemente", "DE.Views.ImageSettings.textRotate90": "Xirar 90°", "DE.Views.ImageSettings.textRotation": "Rotación", "DE.Views.ImageSettings.textSize": "Tamaño", "DE.Views.ImageSettings.textWidth": "Largura", "DE.Views.ImageSettings.textWrap": "Axuste do texto", - "DE.Views.ImageSettings.txtBehind": "Detrás", + "DE.Views.ImageSettings.txtBehind": "Atrás", "DE.Views.ImageSettings.txtInFront": "Á fronte", "DE.Views.ImageSettings.txtInline": "Aliñado", "DE.Views.ImageSettings.txtSquare": "Cadrado", @@ -1964,7 +1997,7 @@ "DE.Views.ImageSettingsAdvanced.textWeightArrows": "Grosores e frechas", "DE.Views.ImageSettingsAdvanced.textWidth": "Largura", "DE.Views.ImageSettingsAdvanced.textWrap": "Axuste do texto", - "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Detrás", + "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Atrás", "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Á fronte", "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "Aliñado", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Cadrado", @@ -2154,6 +2187,11 @@ "DE.Views.PageSizeDialog.textTitle": "Tamaño da páxina", "DE.Views.PageSizeDialog.textWidth": "Largura", "DE.Views.PageSizeDialog.txtCustom": "Personalizar", + "DE.Views.PageThumbnails.textClosePanel": "Pechar as miniaturas das páxinas", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "Realzar parte visible da páxina", + "DE.Views.PageThumbnails.textPageThumbnails": "Miniaturas de páxina", + "DE.Views.PageThumbnails.textThumbnailsSettings": "Configuración das miniaturas", + "DE.Views.PageThumbnails.textThumbnailsSize": "Tamaño das miniaturas", "DE.Views.ParagraphSettings.strIndent": "Retiradas", "DE.Views.ParagraphSettings.strIndentsLeftText": "Esquerda", "DE.Views.ParagraphSettings.strIndentsRightText": "Dereita", @@ -2289,6 +2327,7 @@ "DE.Views.ShapeSettings.textPatternFill": "Patrón", "DE.Views.ShapeSettings.textPosition": "Posición", "DE.Views.ShapeSettings.textRadial": "Radial", + "DE.Views.ShapeSettings.textRecentlyUsed": "Usados recentemente", "DE.Views.ShapeSettings.textRotate90": "Xirar 90°", "DE.Views.ShapeSettings.textRotation": "Rotación", "DE.Views.ShapeSettings.textSelectImage": "Seleccionar imaxe", @@ -2300,7 +2339,7 @@ "DE.Views.ShapeSettings.textWrap": "Axuste do texto", "DE.Views.ShapeSettings.tipAddGradientPoint": "Engadir punto de degradado", "DE.Views.ShapeSettings.tipRemoveGradientPoint": "Eliminar punto de degradado", - "DE.Views.ShapeSettings.txtBehind": "Detrás", + "DE.Views.ShapeSettings.txtBehind": "Detrás do texto", "DE.Views.ShapeSettings.txtBrownPaper": "Papel marrón", "DE.Views.ShapeSettings.txtCanvas": "Lenzo", "DE.Views.ShapeSettings.txtCarton": "Cartón", @@ -2680,6 +2719,7 @@ "DE.Views.Toolbar.textTabLinks": "Referencias", "DE.Views.Toolbar.textTabProtect": "Protección", "DE.Views.Toolbar.textTabReview": "Revisar", + "DE.Views.Toolbar.textTabView": "Vista", "DE.Views.Toolbar.textTitleError": "Erro", "DE.Views.Toolbar.textToCurrent": "Á posición actual", "DE.Views.Toolbar.textTop": "Parte superior: ", @@ -2771,6 +2811,15 @@ "DE.Views.Toolbar.txtScheme7": "Equidade", "DE.Views.Toolbar.txtScheme8": "Fluxo", "DE.Views.Toolbar.txtScheme9": "Fundición", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Amosar sempre a barra de ferramentas", + "DE.Views.ViewTab.textDarkDocument": "Documento escuro", + "DE.Views.ViewTab.textFitToPage": "Axustar á páxina", + "DE.Views.ViewTab.textFitToWidth": "Axustar á anchura", + "DE.Views.ViewTab.textInterfaceTheme": "Tema da interface", + "DE.Views.ViewTab.textNavigation": "Navegación", + "DE.Views.ViewTab.textRulers": "Regras", + "DE.Views.ViewTab.textStatusBar": "Barra de estado", + "DE.Views.ViewTab.textZoom": "Ampliar", "DE.Views.WatermarkSettingsDialog.textAuto": "Automático", "DE.Views.WatermarkSettingsDialog.textBold": "Grosa", "DE.Views.WatermarkSettingsDialog.textColor": "Cor do texto", diff --git a/apps/documenteditor/main/locale/hu.json b/apps/documenteditor/main/locale/hu.json index 593959f94..a181e63bc 100644 --- a/apps/documenteditor/main/locale/hu.json +++ b/apps/documenteditor/main/locale/hu.json @@ -168,6 +168,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Új", "Common.UI.ExtendedColorDialog.textRGBErr": "A megadott érték helytelen.
Kérjük, adjon meg egy számértéket 0 és 255 között.", "Common.UI.HSBColorPicker.textNoColor": "Nincs szín", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Jelszó elrejtése", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Jelszó megjelenítése", "Common.UI.SearchDialog.textHighlight": "Eredmények kiemelése", "Common.UI.SearchDialog.textMatchCase": "Kis-nagybetű érzékeny", "Common.UI.SearchDialog.textReplaceDef": "Írja be a helyettesítő szöveget", @@ -211,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.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", "Common.Views.AutoCorrectDialog.textHyphens": "Kötőjelek (--) gondolatjellel (—)", @@ -236,12 +239,14 @@ "Common.Views.Comments.mniAuthorDesc": "Szerző (Z-A)", "Common.Views.Comments.mniDateAsc": "Legöregebb először", "Common.Views.Comments.mniDateDesc": "Legújabb először", + "Common.Views.Comments.mniFilterGroups": "Szűrés csoport szerint", "Common.Views.Comments.mniPositionAsc": "Felülről", "Common.Views.Comments.mniPositionDesc": "Alulról", "Common.Views.Comments.textAdd": "Hozzáad", "Common.Views.Comments.textAddComment": "Megjegyzés hozzáadása", "Common.Views.Comments.textAddCommentToDoc": "Megyjegyzé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égsem", "Common.Views.Comments.textClose": "Bezár", @@ -255,6 +260,7 @@ "Common.Views.Comments.textResolve": "Felold", "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.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", @@ -431,6 +437,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Ismét megnyit", "Common.Views.ReviewPopover.textReply": "Ismétel", "Common.Views.ReviewPopover.textResolve": "Resolve", + "Common.Views.ReviewPopover.textViewResolved": "Nincs engedélye a megjegyzés újranyitásához", "Common.Views.ReviewPopover.txtAccept": "Elfogad", "Common.Views.ReviewPopover.txtDeleteTip": "Törlés", "Common.Views.ReviewPopover.txtEditTip": "Szerkesztés", @@ -602,6 +609,7 @@ "DE.Controllers.Main.textLongName": "Írjon be egy 128 karakternél rövidebb nevet.", "DE.Controllers.Main.textNoLicenseTitle": "Elérte a licenckorlátot", "DE.Controllers.Main.textPaidFeature": "Fizetett funkció", + "DE.Controllers.Main.textReconnect": "A kapcsolat helyreállt", "DE.Controllers.Main.textRemember": "Emlékezzen a választásomra minden fájlhoz", "DE.Controllers.Main.textRenameError": "A felhasználónév nem lehet üres.", "DE.Controllers.Main.textRenameLabel": "Adjon meg egy nevet az együttműködéshez", @@ -879,6 +887,7 @@ "DE.Controllers.Main.warnProcessRightsChange": "Nincs joga szerkeszteni a fájl-t.", "DE.Controllers.Navigation.txtBeginning": "Dokumentum eleje", "DE.Controllers.Navigation.txtGotoBeginning": "Ugorj a dokumentum elejére", + "DE.Controllers.Statusbar.textDisconnect": "A kapcsolat megszakadt
Probálkoás a kapcsolat létrehozására. Kérjük, ellenőrizze a csatlakozási beállításokat.", "DE.Controllers.Statusbar.textHasChanges": "Új módosítások történtek", "DE.Controllers.Statusbar.textSetTrackChanges": "Változások követése módban van", "DE.Controllers.Statusbar.textTrackChanges": "A dokumentum megnyitása Módosítások követése módban", @@ -902,10 +911,22 @@ "DE.Controllers.Toolbar.textMatrix": "Mátrixok", "DE.Controllers.Toolbar.textOperator": "Operátorok", "DE.Controllers.Toolbar.textRadical": "Gyökvonás", + "DE.Controllers.Toolbar.textRecentlyUsed": "Mostanában használt", "DE.Controllers.Toolbar.textScript": "Scripts", "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", @@ -1281,9 +1302,9 @@ "DE.Views.ChartSettings.textUndock": "Eltávolít a panelről", "DE.Views.ChartSettings.textWidth": "Szélesség", "DE.Views.ChartSettings.textWrap": "Tördelés stílus", - "DE.Views.ChartSettings.txtBehind": "Mögött", - "DE.Views.ChartSettings.txtInFront": "Elött", - "DE.Views.ChartSettings.txtInline": "Sorban", + "DE.Views.ChartSettings.txtBehind": "Szöveg mögött", + "DE.Views.ChartSettings.txtInFront": "Szöveg előtt", + "DE.Views.ChartSettings.txtInline": "Szöveggel egy sorban", "DE.Views.ChartSettings.txtSquare": "Négyszögben", "DE.Views.ChartSettings.txtThrough": "Körbefutva", "DE.Views.ChartSettings.txtTight": "Szűken", @@ -1457,6 +1478,7 @@ "DE.Views.DocumentHolder.textDistributeCols": "Hasábok elosztása", "DE.Views.DocumentHolder.textDistributeRows": "Sorok elosztása", "DE.Views.DocumentHolder.textEditControls": "Tartalomkezelő beállításai", + "DE.Views.DocumentHolder.textEditPoints": "Pontok Szerkesztése", "DE.Views.DocumentHolder.textEditWrapBoundary": "Tördelés határ szerkesztése", "DE.Views.DocumentHolder.textFlipH": "Vízszintesen tükröz", "DE.Views.DocumentHolder.textFlipV": "Függőlegesen tükröz", @@ -1505,6 +1527,14 @@ "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", @@ -1516,7 +1546,7 @@ "DE.Views.DocumentHolder.txtAddTop": "Felső szegély hozzáadása", "DE.Views.DocumentHolder.txtAddVer": "Vízszintes vonal hozzáadása", "DE.Views.DocumentHolder.txtAlignToChar": "Karakterhez rendez", - "DE.Views.DocumentHolder.txtBehind": "Mögött", + "DE.Views.DocumentHolder.txtBehind": "Szöveg mögött", "DE.Views.DocumentHolder.txtBorderProps": "Szegély beállítások", "DE.Views.DocumentHolder.txtBottom": "Alsó", "DE.Views.DocumentHolder.txtColumnAlign": "Hasáb elrendezése", @@ -1552,8 +1582,8 @@ "DE.Views.DocumentHolder.txtHideTopLimit": "Felső limit elrejtése", "DE.Views.DocumentHolder.txtHideVer": "Függőleges vonal elrejtése", "DE.Views.DocumentHolder.txtIncreaseArg": "Argumentum méret növelése", - "DE.Views.DocumentHolder.txtInFront": "Elött", - "DE.Views.DocumentHolder.txtInline": "Sorban", + "DE.Views.DocumentHolder.txtInFront": "Szöveg előtt", + "DE.Views.DocumentHolder.txtInline": "Szöveggel egy sorban", "DE.Views.DocumentHolder.txtInsertArgAfter": "Adjon meg az argumentumot utána", "DE.Views.DocumentHolder.txtInsertArgBefore": "Adjon meg az argumentumot előtte", "DE.Views.DocumentHolder.txtInsertBreak": "Törés beszúrása", @@ -1871,6 +1901,7 @@ "DE.Views.ImageSettings.textCrop": "Levág", "DE.Views.ImageSettings.textCropFill": "Kitölt", "DE.Views.ImageSettings.textCropFit": "Illeszt", + "DE.Views.ImageSettings.textCropToShape": "Formára vágás", "DE.Views.ImageSettings.textEdit": "Szerkeszt", "DE.Views.ImageSettings.textEditObject": "Objektum szerkesztése", "DE.Views.ImageSettings.textFitMargins": "Margóhoz igazít", @@ -1885,14 +1916,15 @@ "DE.Views.ImageSettings.textHintFlipV": "Függőlegesen tükröz", "DE.Views.ImageSettings.textInsert": "Képet cserél", "DE.Views.ImageSettings.textOriginalSize": "Valódi méret", + "DE.Views.ImageSettings.textRecentlyUsed": "Mostanában használt", "DE.Views.ImageSettings.textRotate90": "Elforgat 90 fokkal", "DE.Views.ImageSettings.textRotation": "Forgatás", "DE.Views.ImageSettings.textSize": "Méret", "DE.Views.ImageSettings.textWidth": "Szélesség", "DE.Views.ImageSettings.textWrap": "Tördelés stílus", - "DE.Views.ImageSettings.txtBehind": "Mögött", - "DE.Views.ImageSettings.txtInFront": "Elött", - "DE.Views.ImageSettings.txtInline": "Sorban", + "DE.Views.ImageSettings.txtBehind": "Szöveg mögött", + "DE.Views.ImageSettings.txtInFront": "Szöveg előtt", + "DE.Views.ImageSettings.txtInline": "Szöveggel egy sorban", "DE.Views.ImageSettings.txtSquare": "Négyszögben", "DE.Views.ImageSettings.txtThrough": "Körbefutva", "DE.Views.ImageSettings.txtTight": "Szűken", @@ -1965,9 +1997,9 @@ "DE.Views.ImageSettingsAdvanced.textWeightArrows": "Súlyok és nyilak", "DE.Views.ImageSettingsAdvanced.textWidth": "Szélesség", "DE.Views.ImageSettingsAdvanced.textWrap": "Tördelés stílus", - "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Mögött", - "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Elött", - "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "Sorban", + "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Szöveg mögött", + "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Szöveg előtt", + "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "Szöveggel egy sorban", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Négyszögben", "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "Körbefutva", "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "Szűken", @@ -2155,6 +2187,11 @@ "DE.Views.PageSizeDialog.textTitle": "Lap méret", "DE.Views.PageSizeDialog.textWidth": "Szélesség", "DE.Views.PageSizeDialog.txtCustom": "Egyéni", + "DE.Views.PageThumbnails.textClosePanel": "Az oldal miniatűreinek bezárása", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "Jelölje ki az oldal látható részét", + "DE.Views.PageThumbnails.textPageThumbnails": "Oldal miniatűrök", + "DE.Views.PageThumbnails.textThumbnailsSettings": "Miniatűr beállítások", + "DE.Views.PageThumbnails.textThumbnailsSize": "Miniatűr mérete", "DE.Views.ParagraphSettings.strIndent": "Behúzások", "DE.Views.ParagraphSettings.strIndentsLeftText": "Bal", "DE.Views.ParagraphSettings.strIndentsRightText": "Jobb", @@ -2290,6 +2327,7 @@ "DE.Views.ShapeSettings.textPatternFill": "Minta", "DE.Views.ShapeSettings.textPosition": "Pozíció", "DE.Views.ShapeSettings.textRadial": "Sugárirányú", + "DE.Views.ShapeSettings.textRecentlyUsed": "Mostanában használt", "DE.Views.ShapeSettings.textRotate90": "Elforgat 90 fokkal", "DE.Views.ShapeSettings.textRotation": "Forgatás", "DE.Views.ShapeSettings.textSelectImage": "Kép kiválasztása", @@ -2301,7 +2339,7 @@ "DE.Views.ShapeSettings.textWrap": "Tördelés stílus", "DE.Views.ShapeSettings.tipAddGradientPoint": "Színátmenet pont hozzáadása", "DE.Views.ShapeSettings.tipRemoveGradientPoint": "Színátmenet pont eltávolítása", - "DE.Views.ShapeSettings.txtBehind": "Mögött", + "DE.Views.ShapeSettings.txtBehind": "Szöveg mögött", "DE.Views.ShapeSettings.txtBrownPaper": "Barna papír", "DE.Views.ShapeSettings.txtCanvas": "Vászon", "DE.Views.ShapeSettings.txtCarton": "Karton", @@ -2309,8 +2347,8 @@ "DE.Views.ShapeSettings.txtGrain": "Szemcse", "DE.Views.ShapeSettings.txtGranite": "Gránit", "DE.Views.ShapeSettings.txtGreyPaper": "Szürke papír", - "DE.Views.ShapeSettings.txtInFront": "Elött", - "DE.Views.ShapeSettings.txtInline": "Sorban", + "DE.Views.ShapeSettings.txtInFront": "Szöveg előtt", + "DE.Views.ShapeSettings.txtInline": "Szöveggel egy sorban", "DE.Views.ShapeSettings.txtKnit": "Kötött", "DE.Views.ShapeSettings.txtLeather": "Bőr", "DE.Views.ShapeSettings.txtNoBorders": "Nincs vonal", @@ -2570,7 +2608,7 @@ "DE.Views.Toolbar.capBtnInsControls": "Tartalomkezelők", "DE.Views.Toolbar.capBtnInsDropcap": "Iniciálé", "DE.Views.Toolbar.capBtnInsEquation": "Egyenlet", - "DE.Views.Toolbar.capBtnInsHeader": "Fejléc/Lábléc", + "DE.Views.Toolbar.capBtnInsHeader": "Fejléc & Lábléc", "DE.Views.Toolbar.capBtnInsImage": "Kép", "DE.Views.Toolbar.capBtnInsPagebreak": "Szünetek", "DE.Views.Toolbar.capBtnInsShape": "Alakzat", @@ -2647,7 +2685,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Normál", "DE.Views.Toolbar.textMarginsUsNormal": "Normál (US)", "DE.Views.Toolbar.textMarginsWide": "Széles", - "DE.Views.Toolbar.textNewColor": "Új egyedi szín hozzáadása", + "DE.Views.Toolbar.textNewColor": "Új egyéni szín hozzáadása", "DE.Views.Toolbar.textNextPage": "Következő oldal", "DE.Views.Toolbar.textNoHighlight": "Nincs kiemelés", "DE.Views.Toolbar.textNone": "Nincs", @@ -2681,6 +2719,7 @@ "DE.Views.Toolbar.textTabLinks": "Referenciák", "DE.Views.Toolbar.textTabProtect": "Védelem", "DE.Views.Toolbar.textTabReview": "Összefoglaló", + "DE.Views.Toolbar.textTabView": "Megtekintés", "DE.Views.Toolbar.textTitleError": "Hiba", "DE.Views.Toolbar.textToCurrent": "A jelenlegi pozíció", "DE.Views.Toolbar.textTop": "Felső:", @@ -2772,6 +2811,15 @@ "DE.Views.Toolbar.txtScheme7": "Érték", "DE.Views.Toolbar.txtScheme8": "Flow", "DE.Views.Toolbar.txtScheme9": "Öntöde", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Mindig mutasd az eszköztárat", + "DE.Views.ViewTab.textDarkDocument": "Sötét dokumentum", + "DE.Views.ViewTab.textFitToPage": "Oldalhoz igazít", + "DE.Views.ViewTab.textFitToWidth": "Szélességhez igazít", + "DE.Views.ViewTab.textInterfaceTheme": "Felhasználói felület témája", + "DE.Views.ViewTab.textNavigation": "Navigáció", + "DE.Views.ViewTab.textRulers": "Vonalzók", + "DE.Views.ViewTab.textStatusBar": "Állapotsor", + "DE.Views.ViewTab.textZoom": "Zoom", "DE.Views.WatermarkSettingsDialog.textAuto": "Auto", "DE.Views.WatermarkSettingsDialog.textBold": "Félkövér", "DE.Views.WatermarkSettingsDialog.textColor": "Szöveg színe", diff --git a/apps/documenteditor/main/locale/id.json b/apps/documenteditor/main/locale/id.json index 76c395d3a..31dfeedb8 100644 --- a/apps/documenteditor/main/locale/id.json +++ b/apps/documenteditor/main/locale/id.json @@ -10,7 +10,7 @@ "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.ReviewChanges.textAtLeast": "at least", + "Common.Controllers.ReviewChanges.textAtLeast": "sekurang-kurangnya", "Common.Controllers.ReviewChanges.textAuto": "auto", "Common.Controllers.ReviewChanges.textBaseline": "Baseline", "Common.Controllers.ReviewChanges.textBold": "Bold", @@ -23,12 +23,12 @@ "Common.Controllers.ReviewChanges.textDeleted": "Deleted:", "Common.Controllers.ReviewChanges.textDStrikeout": "Double strikeout", "Common.Controllers.ReviewChanges.textEquation": "Equation", - "Common.Controllers.ReviewChanges.textExact": "exactly", - "Common.Controllers.ReviewChanges.textFirstLine": "First line", + "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.textImage": "Image", + "Common.Controllers.ReviewChanges.textImage": "Gambar", "Common.Controllers.ReviewChanges.textIndentLeft": "Indent left", "Common.Controllers.ReviewChanges.textIndentRight": "Indent right", "Common.Controllers.ReviewChanges.textInserted": "Inserted:", @@ -37,10 +37,10 @@ "Common.Controllers.ReviewChanges.textKeepLines": "Keep lines together", "Common.Controllers.ReviewChanges.textKeepNext": "Keep with next", "Common.Controllers.ReviewChanges.textLeft": "Align left", - "Common.Controllers.ReviewChanges.textLineSpacing": "Line Spacing: ", + "Common.Controllers.ReviewChanges.textLineSpacing": "Spasi Antar Baris: ", "Common.Controllers.ReviewChanges.textMultiple": "multiple", "Common.Controllers.ReviewChanges.textNoBreakBefore": "No page break before", - "Common.Controllers.ReviewChanges.textNoContextual": "Add interval between paragraphs of the same style", + "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 ", @@ -49,6 +49,9 @@ "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", @@ -60,9 +63,23 @@ "Common.Controllers.ReviewChanges.textStrikeout": "Strikeout", "Common.Controllers.ReviewChanges.textSubScript": "Subscript", "Common.Controllers.ReviewChanges.textSuperScript": "Superscript", + "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.define.chartData.textBar": "Palang", + "Common.define.chartData.textCharts": "Bagan", + "Common.define.chartData.textColumn": "Kolom", + "Common.define.chartData.textLine": "Garis", + "Common.define.chartData.textPie": "Diagram Lingkaran", + "Common.define.chartData.textStock": "Diagram Garis", + "Common.Translation.warnFileLockedBtnEdit": "Buat salinan", + "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.ComboBorderSize.txtNoBorders": "Tidak ada pembatas", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Tidak ada pembatas", "Common.UI.ComboDataView.emptyComboText": "Tidak ada model", @@ -83,6 +100,8 @@ "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": "Batalkan", "Common.UI.Window.closeButtonText": "Tutup", "Common.UI.Window.noButtonText": "Tidak", @@ -100,17 +119,26 @@ "Common.Views.About.txtPoweredBy": "Powered by", "Common.Views.About.txtTel": "tel:", "Common.Views.About.txtVersion": "Versi", + "Common.Views.AutoCorrectDialog.textAdd": "Tambahkan", + "Common.Views.AutoCorrectDialog.textBy": "oleh", + "Common.Views.AutoCorrectDialog.textDelete": "Hapus", + "Common.Views.AutoCorrectDialog.textReplace": "Ganti", + "Common.Views.AutoCorrectDialog.textReset": "Atur ulang", + "Common.Views.AutoCorrectDialog.textResetAll": "Atur ulang kembali ke awal", + "Common.Views.AutoCorrectDialog.textRestore": "Pemulihan", "Common.Views.Chat.textSend": "Kirim", "Common.Views.Comments.textAdd": "Tambahkan", "Common.Views.Comments.textAddComment": "Tambahkan", "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.textComments": "Komentar", "Common.Views.Comments.textEdit": "Edit", "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", @@ -129,7 +157,21 @@ "Common.Views.ExternalMergeEditor.textClose": "Close", "Common.Views.ExternalMergeEditor.textSave": "Save & Exit", "Common.Views.ExternalMergeEditor.textTitle": "Mail Merge Recipients", + "Common.Views.Header.textAdvSettings": "Pengaturan Lanjut", "Common.Views.Header.textBack": "Buka Dokumen", + "Common.Views.Header.textHideLines": "Sembunyikan Mistar", + "Common.Views.Header.textHideStatusBar": "Sembunyikan Bilah Status", + "Common.Views.Header.textZoom": "Pembesaran", + "Common.Views.Header.tipDownload": "Unduh 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.txtAccessRights": "Ubah hak akses", + "Common.Views.Header.txtRename": "Ganti nama", + "Common.Views.History.textCloseHistory": "Tutup riwayat", + "Common.Views.History.textRestore": "Pemulihan", + "Common.Views.History.textVer": "ver.", "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\"", @@ -139,19 +181,65 @@ "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.OpenDialog.txtEncoding": "Encoding ", "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.PasswordDialog.txtPassword": "Kata Sandi", + "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.Plugins.textStart": "Mulai", + "Common.Views.Protection.txtChangePwd": "Ubah kata sandi", + "Common.Views.RenameDialog.textName": "Nama file", + "Common.Views.ReviewChanges.textEnable": "Aktifkan", + "Common.Views.ReviewChanges.tipHistory": "Tampilkan riwayat versi", + "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.txtCommentRemove": "Hapus", + "Common.Views.ReviewChanges.txtCommentResolve": "Selesaikan", + "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.txtPreview": "Pratinjau", "Common.Views.ReviewChanges.txtReject": "Reject", "Common.Views.ReviewChanges.txtRejectAll": "Reject All Changes", "Common.Views.ReviewChanges.txtRejectCurrent": "Reject Current Changes", + "Common.Views.ReviewChanges.txtSpelling": "Periksa Ejaan", + "Common.Views.ReviewChangesDialog.txtAccept": "Terima", + "Common.Views.ReviewChangesDialog.txtAcceptAll": "Terima semua perubahan", + "Common.Views.ReviewChangesDialog.txtReject": "Tolak", + "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.textOpenAgain": "Buka Lagi", + "Common.Views.ReviewPopover.textReply": "Balas", + "Common.Views.ReviewPopover.textResolve": "Selesaikan", + "Common.Views.ReviewPopover.txtAccept": "Terima", + "Common.Views.ReviewPopover.txtDeleteTip": "Hapus", + "Common.Views.ReviewPopover.txtEditTip": "Sunting", + "Common.Views.ReviewPopover.txtReject": "Tolak", + "Common.Views.SelectFileDlg.textTitle": "Pilih sumber data", + "Common.Views.SignDialog.textBold": "Tebal", + "Common.Views.SignDialog.textChange": "Ganti", + "Common.Views.SignDialog.textItalic": "Miring", + "Common.Views.SignDialog.textSelect": "Pilih", + "Common.Views.SignDialog.tipFontSize": "Ukuran Huruf", + "Common.Views.SignSettingsDialog.textInfoName": "Nama", + "Common.Views.SignSettingsDialog.txtEmpty": "Kolom ini harus diisi", + "Common.Views.SymbolTableDialog.textCharacter": "Karakter", + "Common.Views.SymbolTableDialog.textFont": "Huruf", + "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.", "DE.Controllers.LeftMenu.newDocumentTitle": "Dokumen tidak bernama", "DE.Controllers.LeftMenu.notcriticalErrorTitle": "Warning", @@ -215,26 +303,47 @@ "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.textClose": "Tutup", "DE.Controllers.Main.textCloseTip": "Klik untuk menutup tips", + "DE.Controllers.Main.textGuest": "Tamu", + "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.titleUpdateVersion": "Versi telah diubah", + "DE.Controllers.Main.txtAbove": "Di atas", "DE.Controllers.Main.txtArt": "Your text here", "DE.Controllers.Main.txtBasicShapes": "Bentuk Dasar", + "DE.Controllers.Main.txtBelow": "Di bawah", "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.txtEvenPage": "Halaman Genap", "DE.Controllers.Main.txtFiguredArrows": "Tanda Panah Berpola", "DE.Controllers.Main.txtLines": "Garis", "DE.Controllers.Main.txtMath": "Matematika", "DE.Controllers.Main.txtNeedSynchronize": "Ada pembaruan", + "DE.Controllers.Main.txtNone": "tidak ada", "DE.Controllers.Main.txtRectangles": "Persegi Panjang", "DE.Controllers.Main.txtSeries": "Series", + "DE.Controllers.Main.txtShape_bevel": "Miring", + "DE.Controllers.Main.txtShape_frame": "Kerangka", + "DE.Controllers.Main.txtShape_leftArrow": "Panah Kiri", + "DE.Controllers.Main.txtShape_line": "Garis", + "DE.Controllers.Main.txtShape_mathEqual": "Setara", + "DE.Controllers.Main.txtShape_mathMinus": "Minus", + "DE.Controllers.Main.txtShape_mathPlus": "Plus", + "DE.Controllers.Main.txtShape_pie": "Diagram Lingkaran", + "DE.Controllers.Main.txtShape_plus": "Plus", + "DE.Controllers.Main.txtShape_rightArrow": "Tanda Panah ke Kanan", "DE.Controllers.Main.txtStarsRibbons": "Bintang & Pita", + "DE.Controllers.Main.txtStyle_Normal": "Normal", + "DE.Controllers.Main.txtStyle_Quote": "Kutip", + "DE.Controllers.Main.txtStyle_Title": "Judul", + "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.", @@ -244,6 +353,7 @@ "DE.Controllers.Main.uploadImageSizeMessage": "Melebihi ukuran maksimal file.", "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.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.warnProcessRightsChange": "Hak Anda untuk mengedit file ditolak.", @@ -258,6 +368,8 @@ "DE.Controllers.Toolbar.textFontSizeErr": "Input yang dimasukkan salah.
Silakan masukkan input numerik antara 1 dan 300", "DE.Controllers.Toolbar.textFraction": "Pecahan", "DE.Controllers.Toolbar.textFunction": "Fungsi", + "DE.Controllers.Toolbar.textGroup": "Grup", + "DE.Controllers.Toolbar.textInsert": "Sisipkan", "DE.Controllers.Toolbar.textIntegral": "Integral", "DE.Controllers.Toolbar.textLargeOperator": "Operator Besar", "DE.Controllers.Toolbar.textLimitAndLog": "Limit dan Logaritma", @@ -585,6 +697,23 @@ "DE.Controllers.Toolbar.txtSymbol_vdots": "Vertical Ellipsis", "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.Views.BookmarksDialog.textAdd": "Tambahkan", + "DE.Views.BookmarksDialog.textClose": "Tutup", + "DE.Views.BookmarksDialog.textCopy": "Salin", + "DE.Views.BookmarksDialog.textDelete": "Hapus", + "DE.Views.BookmarksDialog.textLocation": "Lokasi", + "DE.Views.BookmarksDialog.textName": "Nama", + "DE.Views.BookmarksDialog.textSort": "Urutkan berdasar", + "DE.Views.CaptionDialog.textAfter": "setelah", + "DE.Views.CaptionDialog.textBefore": "Sebelum", + "DE.Views.CaptionDialog.textColon": "Titik dua", + "DE.Views.CaptionDialog.textInsert": "Sisipkan", + "DE.Views.CaptionDialog.textNumbering": "Penomoran", + "DE.Views.CaptionDialog.textTable": "Tabel", + "DE.Views.CellsAddDialog.textCol": "Kolom", + "DE.Views.CellsAddDialog.textRow": "Baris", "DE.Views.ChartSettings.textAdvanced": "Tampilkan pengaturan lanjut", "DE.Views.ChartSettings.textChartType": "Ubah Tipe Bagan", "DE.Views.ChartSettings.textEditData": "Edit Data", @@ -603,8 +732,25 @@ "DE.Views.ChartSettings.txtTight": "Ketat", "DE.Views.ChartSettings.txtTitle": "Bagan", "DE.Views.ChartSettings.txtTopAndBottom": "Atas dan bawah", + "DE.Views.ControlSettingsDialog.strGeneral": "Umum", + "DE.Views.ControlSettingsDialog.textAdd": "Tambahkan", + "DE.Views.ControlSettingsDialog.textChange": "Sunting", + "DE.Views.ControlSettingsDialog.textColor": "Warna", + "DE.Views.ControlSettingsDialog.textDelete": "Hapus", + "DE.Views.ControlSettingsDialog.textLang": "Bahasa", + "DE.Views.ControlSettingsDialog.textName": "Judul", + "DE.Views.ControlSettingsDialog.textNone": "tidak ada", + "DE.Views.ControlSettingsDialog.textTag": "Tandai", + "DE.Views.ControlSettingsDialog.textUp": "Naik", + "DE.Views.ControlSettingsDialog.textValue": "Nilai", + "DE.Views.CrossReferenceDialog.textInsert": "Sisipkan", + "DE.Views.CrossReferenceDialog.textTable": "Tabel", + "DE.Views.CustomColumnsDialog.textColumns": "Jumlah Kolom", + "DE.Views.CustomColumnsDialog.textTitle": "Kolom", + "DE.Views.DateTimeDialog.textLang": "Bahasa", "DE.Views.DocumentHolder.aboveText": "Di atas", "DE.Views.DocumentHolder.addCommentText": "Tambahkan Komentar", + "DE.Views.DocumentHolder.advancedDropCapText": "Pengaturan Drop Cap", "DE.Views.DocumentHolder.advancedFrameText": "Pengaturan Lanjut untuk Kerangka", "DE.Views.DocumentHolder.advancedParagraphText": "Pengaturan Lanjut untuk Paragraf", "DE.Views.DocumentHolder.advancedTableText": "Pengaturan Lanjut untuk Tabel", @@ -648,6 +794,7 @@ "DE.Views.DocumentHolder.mergeCellsText": "Gabungkan Sel", "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.paragraphText": "Paragraf", "DE.Views.DocumentHolder.removeHyperlinkText": "Hapus Hyperlink", @@ -672,17 +819,25 @@ "DE.Views.DocumentHolder.textArrangeForward": "Majukan", "DE.Views.DocumentHolder.textArrangeFront": "Tampilkan di Halaman Muka", "DE.Views.DocumentHolder.textCopy": "Salin", + "DE.Views.DocumentHolder.textCropFill": "Isian", "DE.Views.DocumentHolder.textCut": "Potong", "DE.Views.DocumentHolder.textEditWrapBoundary": "Edit Pembatas Potongan Teks", + "DE.Views.DocumentHolder.textFromFile": "Dari File", + "DE.Views.DocumentHolder.textFromUrl": "Dari URL", "DE.Views.DocumentHolder.textNextPage": "Halaman Selanjutnya", "DE.Views.DocumentHolder.textPaste": "Tempel", "DE.Views.DocumentHolder.textPrevPage": "Halaman Sebelumnya", + "DE.Views.DocumentHolder.textRemove": "Hapus", + "DE.Views.DocumentHolder.textReplace": "Ganti Gambar", + "DE.Views.DocumentHolder.textSettings": "Pengaturan", "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.textTOC": "Daftar Isi", + "DE.Views.DocumentHolder.textUndo": "Batalkan", "DE.Views.DocumentHolder.textWrap": "Bentuk Potongan", "DE.Views.DocumentHolder.tipIsLocked": "Elemen ini sedang diedit oleh pengguna lain.", "DE.Views.DocumentHolder.txtAddBottom": "Add bottom border", @@ -697,7 +852,7 @@ "DE.Views.DocumentHolder.txtAlignToChar": "Align to character", "DE.Views.DocumentHolder.txtBehind": "Di belakang", "DE.Views.DocumentHolder.txtBorderProps": "Border properties", - "DE.Views.DocumentHolder.txtBottom": "Bottom", + "DE.Views.DocumentHolder.txtBottom": "Bawah", "DE.Views.DocumentHolder.txtColumnAlign": "Column alignment", "DE.Views.DocumentHolder.txtDecreaseArg": "Decrease argument size", "DE.Views.DocumentHolder.txtDeleteArg": "Delete argument", @@ -808,6 +963,7 @@ "DE.Views.DropcapSettingsAdvanced.textWidth": "Lebar", "DE.Views.DropcapSettingsAdvanced.tipFontName": "Nama Huruf", "DE.Views.DropcapSettingsAdvanced.txtNoBorders": "Tidak ada pembatas", + "DE.Views.EditListItemDialog.textValue": "Nilai", "DE.Views.FileMenu.btnBackCaption": "Buka Dokumen", "DE.Views.FileMenu.btnCreateNewCaption": "Buat Baru", "DE.Views.FileMenu.btnDownloadCaption": "Unduh sebagai...", @@ -823,20 +979,30 @@ "DE.Views.FileMenu.btnSettingsCaption": "Pengaturan Lanjut...", "DE.Views.FileMenu.btnToEditCaption": "Edit Dokumen", "DE.Views.FileMenu.textDownload": "Download", + "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.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.txtOwner": "Pemilik", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Halaman", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Paragraf", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Lokasi", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Orang yang memiliki hak", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Simbol dengan spasi", "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.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.ProtectDoc.notcriticalErrorTitle": "Peringatan", + "DE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Edit Dokumen", "DE.Views.FileMenuPanels.Settings.okButtonText": "Terapkan", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Turn on alignment guides", "DE.Views.FileMenuPanels.Settings.strAutosave": "Aktifkan simpan otomatis", @@ -862,6 +1028,8 @@ "DE.Views.FileMenuPanels.Settings.textMinute": "Tiap Menit", "DE.Views.FileMenuPanels.Settings.txtAll": "Lihat Semua", "DE.Views.FileMenuPanels.Settings.txtCm": "Sentimeter", + "DE.Views.FileMenuPanels.Settings.txtFitPage": "Sesuaikan Halaman", + "DE.Views.FileMenuPanels.Settings.txtFitWidth": "Sesuaikan Lebar", "DE.Views.FileMenuPanels.Settings.txtInput": "Ganti Input", "DE.Views.FileMenuPanels.Settings.txtLast": "Lihat yang Terakhir", "DE.Views.FileMenuPanels.Settings.txtLiveComment": "Komentar Langsung", @@ -871,6 +1039,16 @@ "DE.Views.FileMenuPanels.Settings.txtPt": "Titik", "DE.Views.FileMenuPanels.Settings.txtSpellCheck": "Periksa Ejaan", "DE.Views.FileMenuPanels.Settings.txtWin": "sebagai Windows", + "DE.Views.FormSettings.textBackgroundColor": "Warna Latar", + "DE.Views.FormSettings.textColor": "Warna Pembatas", + "DE.Views.FormSettings.textDelete": "Hapus", + "DE.Views.FormSettings.textDisconnect": "Putuskan hubungan", + "DE.Views.FormSettings.textFromFile": "Dari File", + "DE.Views.FormSettings.textFromUrl": "Dari URL", + "DE.Views.FormSettings.textImage": "Gambar", + "DE.Views.FormSettings.textNever": "tidak pernah", + "DE.Views.FormsTab.capBtnImage": "Gambar", + "DE.Views.FormsTab.tipImageField": "Sisipkan Gambar", "DE.Views.HeaderFooterSettings.textBottomCenter": "Bawah Tengah", "DE.Views.HeaderFooterSettings.textBottomLeft": "Bawah Kiri", "DE.Views.HeaderFooterSettings.textBottomRight": "Bawah Kanan", @@ -887,12 +1065,15 @@ "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.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.txtNotUrl": "Bagian ini harus berupa URL dengn format \"http://www.contoh.com\"", "DE.Views.ImageSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "DE.Views.ImageSettings.textCropFill": "Isian", + "DE.Views.ImageSettings.textEdit": "Sunting", "DE.Views.ImageSettings.textFromFile": "Dari File", "DE.Views.ImageSettings.textFromUrl": "Dari URL", "DE.Views.ImageSettings.textHeight": "Ketinggian", @@ -910,6 +1091,8 @@ "DE.Views.ImageSettings.txtTopAndBottom": "Atas dan bawah", "DE.Views.ImageSettingsAdvanced.strMargins": "Lapisan Teks", "DE.Views.ImageSettingsAdvanced.textAlignment": "Perataan", + "DE.Views.ImageSettingsAdvanced.textAltDescription": "Deskripsi", + "DE.Views.ImageSettingsAdvanced.textAltTitle": "Judul", "DE.Views.ImageSettingsAdvanced.textArrows": "Tanda panah", "DE.Views.ImageSettingsAdvanced.textBeginSize": "Ukuran Mulai", "DE.Views.ImageSettingsAdvanced.textBeginStyle": "Gaya Mulai", @@ -966,12 +1149,27 @@ "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "Tembus", "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "Ketat", "DE.Views.ImageSettingsAdvanced.textWrapTopbottomTooltip": "Atas dan bawah", - "DE.Views.LeftMenu.tipAbout": "Tentang ONLYOFFICE", + "DE.Views.LeftMenu.tipAbout": "Tentang", "DE.Views.LeftMenu.tipChat": "Chat", "DE.Views.LeftMenu.tipComments": "Komentar", "DE.Views.LeftMenu.tipSearch": "Cari", "DE.Views.LeftMenu.tipSupport": "Masukan & Dukungan", "DE.Views.LeftMenu.tipTitles": "Judul", + "DE.Views.LineNumbersDialog.textNumbering": "Penomoran", + "DE.Views.LineNumbersDialog.txtAutoText": "Otomatis", + "DE.Views.Links.capBtnInsContents": "Daftar Isi", + "DE.Views.Links.textContentsSettings": "Pengaturan", + "DE.Views.Links.tipInsertHyperlink": "Tambahkan hyperlink", + "DE.Views.ListSettingsDialog.textAuto": "Otomatis", + "DE.Views.ListSettingsDialog.textCenter": "Tengah", + "DE.Views.ListSettingsDialog.textLeft": "Kiri", + "DE.Views.ListSettingsDialog.textPreview": "Pratinjau", + "DE.Views.ListSettingsDialog.textRight": "Kanan", + "DE.Views.ListSettingsDialog.txtAlign": "Perataan", + "DE.Views.ListSettingsDialog.txtColor": "Warna", + "DE.Views.ListSettingsDialog.txtNone": "tidak ada", + "DE.Views.ListSettingsDialog.txtSize": "Ukuran", + "DE.Views.ListSettingsDialog.txtType": "Tipe", "DE.Views.MailMergeEmailDlg.filePlaceholder": "PDF", "DE.Views.MailMergeEmailDlg.okButtonText": "Send", "DE.Views.MailMergeEmailDlg.subjectPlaceholder": "Theme", @@ -1019,9 +1217,17 @@ "DE.Views.MailMergeSettings.txtPrev": "To previous record", "DE.Views.MailMergeSettings.txtUntitled": "Untitled", "DE.Views.MailMergeSettings.warnProcessMailMerge": "Starting merge failed", + "DE.Views.Navigation.txtCollapse": "Tutup semua", + "DE.Views.Navigation.txtExpand": "Buka semua", + "DE.Views.NoteSettingsDialog.textApply": "Terapkan", + "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.PageMarginsDialog.textNormal": "Normal", + "DE.Views.PageMarginsDialog.textPreview": "Pratinjau", "DE.Views.PageMarginsDialog.textRight": "Right", "DE.Views.PageMarginsDialog.textTitle": "Margins", "DE.Views.PageMarginsDialog.textTop": "Top", @@ -1030,6 +1236,10 @@ "DE.Views.PageSizeDialog.textHeight": "Height", "DE.Views.PageSizeDialog.textTitle": "Page Size", "DE.Views.PageSizeDialog.textWidth": "Width", + "DE.Views.PageSizeDialog.txtCustom": "Khusus", + "DE.Views.ParagraphSettings.strIndent": "Indentasi", + "DE.Views.ParagraphSettings.strIndentsLeftText": "Kiri", + "DE.Views.ParagraphSettings.strIndentsRightText": "Kanan", "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", @@ -1041,14 +1251,19 @@ "DE.Views.ParagraphSettings.textAuto": "Banyak", "DE.Views.ParagraphSettings.textBackColor": "Warna latar", "DE.Views.ParagraphSettings.textExact": "Persis", + "DE.Views.ParagraphSettings.textFirstLine": "Baris Pertama", "DE.Views.ParagraphSettings.txtAutoText": "Otomatis", "DE.Views.ParagraphSettingsAdvanced.noTabs": "Tab yang ditentukan akan muncul pada bagian ini", "DE.Views.ParagraphSettingsAdvanced.strAllCaps": "Huruf kapital semua", "DE.Views.ParagraphSettingsAdvanced.strBorders": "Pembatas & Isian", "DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "Jeda halaman sebelum", "DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Garis coret ganda", + "DE.Views.ParagraphSettingsAdvanced.strIndent": "Indentasi", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Kiri", + "DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Spasi Antar Baris", "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.strKeepNext": "Satukan dengan berikutnya", "DE.Views.ParagraphSettingsAdvanced.strMargins": "Lapisan", @@ -1057,11 +1272,15 @@ "DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indentasi & Peletakan", "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", + "DE.Views.ParagraphSettingsAdvanced.strSpacing": "Spasi", "DE.Views.ParagraphSettingsAdvanced.strStrike": "Coret ganda", "DE.Views.ParagraphSettingsAdvanced.strSubscript": "Subskrip", "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superskrip", "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.textBorderColor": "Warna Pembatas", "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Klik pada diagram atau gunakan tombol untuk memilih pembatas dan menerapkan pilihan model", @@ -1070,7 +1289,11 @@ "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.textJustified": "Rata Kiri-Kanan", "DE.Views.ParagraphSettingsAdvanced.textLeft": "Kiri", + "DE.Views.ParagraphSettingsAdvanced.textNone": "tidak ada", "DE.Views.ParagraphSettingsAdvanced.textPosition": "Posisi", "DE.Views.ParagraphSettingsAdvanced.textRemove": "Hapus", "DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Hapus Semua", @@ -1091,6 +1314,7 @@ "DE.Views.ParagraphSettingsAdvanced.tipOuter": "Buat Pembatas Luar Saja", "DE.Views.ParagraphSettingsAdvanced.tipRight": "Buat Pembatas Kanan Saja", "DE.Views.ParagraphSettingsAdvanced.tipTop": "Buat Pembatas Atas Saja", + "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Otomatis", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Tidak ada pembatas", "DE.Views.RightMenu.txtChartSettings": "Pengaturan Bagan", "DE.Views.RightMenu.txtHeaderFooterSettings": "Pengaturan Header dan Footer", @@ -1109,6 +1333,7 @@ "DE.Views.ShapeSettings.strSize": "Ukuran", "DE.Views.ShapeSettings.strStroke": "Tekanan", "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", @@ -1122,6 +1347,7 @@ "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.textRadial": "Radial", "DE.Views.ShapeSettings.textSelectTexture": "Pilih", "DE.Views.ShapeSettings.textStretch": "Rentangkan", @@ -1148,6 +1374,7 @@ "DE.Views.ShapeSettings.txtTight": "Ketat", "DE.Views.ShapeSettings.txtTopAndBottom": "Atas dan bawah", "DE.Views.ShapeSettings.txtWood": "Kayu", + "DE.Views.SignatureSettings.notcriticalErrorTitle": "Peringatan", "DE.Views.Statusbar.goToPageText": "Buka Halaman", "DE.Views.Statusbar.pageIndexText": "Halaman {0} dari {1}", "DE.Views.Statusbar.tipFitPage": "Sesuaikan Halaman", @@ -1162,6 +1389,12 @@ "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.TableOfContentsSettings.textRadioStyle": "Model", + "DE.Views.TableOfContentsSettings.textStyle": "Model", + "DE.Views.TableOfContentsSettings.textTable": "Tabel", + "DE.Views.TableOfContentsSettings.textTitle": "Daftar Isi", + "DE.Views.TableOfContentsSettings.txtCurrent": "Saat ini", "DE.Views.TableSettings.deleteColumnText": "Hapus Kolom", "DE.Views.TableSettings.deleteRowText": "Hapus Baris", "DE.Views.TableSettings.deleteTableText": "Hapus Tabel", @@ -1187,11 +1420,13 @@ "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.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", "DE.Views.TableSettings.textTemplate": "Pilih Dari Template", "DE.Views.TableSettings.textTotal": "Total", + "DE.Views.TableSettings.textWidth": "Lebar", "DE.Views.TableSettings.tipAll": "Buat Pembatas Luar dan Semua Garis Dalam", "DE.Views.TableSettings.tipBottom": "Buat Pembatas Bawah-Luar Saja", "DE.Views.TableSettings.tipInner": "Buat Garis Dalam Saja", @@ -1206,6 +1441,8 @@ "DE.Views.TableSettingsAdvanced.textAlign": "Perataan", "DE.Views.TableSettingsAdvanced.textAlignment": "Perataan", "DE.Views.TableSettingsAdvanced.textAllowSpacing": "Beri spasi antar sel", + "DE.Views.TableSettingsAdvanced.textAltDescription": "Deskripsi", + "DE.Views.TableSettingsAdvanced.textAltTitle": "Judul", "DE.Views.TableSettingsAdvanced.textAnchorText": "Teks", "DE.Views.TableSettingsAdvanced.textAutofit": "Otomatis sesuaikan ukuran dengan konten ", "DE.Views.TableSettingsAdvanced.textBackColor": "Latar Sel", @@ -1238,7 +1475,9 @@ "DE.Views.TableSettingsAdvanced.textRight": "Kanan", "DE.Views.TableSettingsAdvanced.textRightOf": "ke sebelah kanan dari", "DE.Views.TableSettingsAdvanced.textRightTooltip": "Kanan", + "DE.Views.TableSettingsAdvanced.textTable": "Tabel", "DE.Views.TableSettingsAdvanced.textTableBackColor": "Latar Belakang Tabel", + "DE.Views.TableSettingsAdvanced.textTableSize": "Ukuran Tabel", "DE.Views.TableSettingsAdvanced.textTitle": "Tabel - Pengaturan Lanjut", "DE.Views.TableSettingsAdvanced.textTop": "Atas", "DE.Views.TableSettingsAdvanced.textVertical": "Vertikal", @@ -1247,6 +1486,7 @@ "DE.Views.TableSettingsAdvanced.textWrap": "Potongan Teks", "DE.Views.TableSettingsAdvanced.textWrapNoneTooltip": "Tabel berderet", "DE.Views.TableSettingsAdvanced.textWrapParallelTooltip": "Tabel alur", + "DE.Views.TableSettingsAdvanced.textWrappingStyle": "Bentuk Potongan", "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", @@ -1257,12 +1497,17 @@ "DE.Views.TableSettingsAdvanced.tipTableOuterCellAll": "Buat Pembatas Luar dan Pembatas untuk Semua Sel Dalam", "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.txtNoBorders": "Tidak ada pembatas", + "DE.Views.TableSettingsAdvanced.txtPt": "Titik", + "DE.Views.TableToTextDialog.textOther": "Lainnya", + "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.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", @@ -1270,16 +1515,38 @@ "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.textRadial": "Radial", "DE.Views.TextArtSettings.textSelectTexture": "Select", "DE.Views.TextArtSettings.textStyle": "Style", "DE.Views.TextArtSettings.textTemplate": "Template", "DE.Views.TextArtSettings.textTransform": "Transform", "DE.Views.TextArtSettings.txtNoBorders": "No Line", + "DE.Views.TextToTableDialog.textColumns": "Kolom", + "DE.Views.TextToTableDialog.textOther": "Lainnya", + "DE.Views.TextToTableDialog.textPara": "Paragraf", + "DE.Views.TextToTableDialog.textRows": "Baris", + "DE.Views.TextToTableDialog.textTab": "Tab", + "DE.Views.TextToTableDialog.textTableSize": "Ukuran Tabel", + "DE.Views.TextToTableDialog.txtAutoText": "Otomatis", + "DE.Views.Toolbar.capBtnAddComment": "Tambahkan komentar", + "DE.Views.Toolbar.capBtnColumns": "Kolom", + "DE.Views.Toolbar.capBtnComment": "Komentar", + "DE.Views.Toolbar.capBtnInsChart": "Bagan", + "DE.Views.Toolbar.capBtnInsDropcap": "Drop Cap", + "DE.Views.Toolbar.capBtnInsImage": "Gambar", + "DE.Views.Toolbar.capBtnInsTable": "Tabel", + "DE.Views.Toolbar.capBtnPageSize": "Ukuran", + "DE.Views.Toolbar.capImgAlign": "Sejajarkan", + "DE.Views.Toolbar.capImgBackward": "Mundurkan", + "DE.Views.Toolbar.capImgForward": "Majukan", + "DE.Views.Toolbar.capImgGroup": "Grup", "DE.Views.Toolbar.mniCustomTable": "Sisipkan Tabel Khusus", "DE.Views.Toolbar.mniEditDropCap": "Pengaturan Drop Cap", "DE.Views.Toolbar.mniEditFooter": "Edit Footer", "DE.Views.Toolbar.mniEditHeader": "Edit Header", + "DE.Views.Toolbar.mniFromFile": "Dari File", + "DE.Views.Toolbar.mniFromUrl": "Dari URL", "DE.Views.Toolbar.mniHiddenBorders": "Pembatas Tabel Disembunyikan", "DE.Views.Toolbar.mniHiddenChars": "Karakter Tidak Dicetak", "DE.Views.Toolbar.mniImageFromFile": "Gambar dari File", @@ -1294,6 +1561,7 @@ "DE.Views.Toolbar.textColumnsThree": "Three", "DE.Views.Toolbar.textColumnsTwo": "Two", "DE.Views.Toolbar.textContPage": "Halaman Bersambung", + "DE.Views.Toolbar.textDateControl": "Tanggal", "DE.Views.Toolbar.textEvenPage": "Halaman Genap", "DE.Views.Toolbar.textInMargin": "Dalam Margin", "DE.Views.Toolbar.textInsColumnBreak": "Insert Column Break", @@ -1324,6 +1592,11 @@ "DE.Views.Toolbar.textStyleMenuUpdate": "Update from selection", "DE.Views.Toolbar.textSubscript": "Subskrip", "DE.Views.Toolbar.textSuperscript": "Superskrip", + "DE.Views.Toolbar.textTabFile": "File", + "DE.Views.Toolbar.textTabHome": "Halaman Depan", + "DE.Views.Toolbar.textTabInsert": "Sisipkan", + "DE.Views.Toolbar.textTabReview": "Ulasan", + "DE.Views.Toolbar.textTabView": "Lihat", "DE.Views.Toolbar.textTitleError": "Error", "DE.Views.Toolbar.textToCurrent": "Ke posisi saat ini", "DE.Views.Toolbar.textTop": "Top: ", @@ -1333,6 +1606,7 @@ "DE.Views.Toolbar.tipAlignLeft": "Rata Kiri", "DE.Views.Toolbar.tipAlignRight": "Rata Kanan", "DE.Views.Toolbar.tipBack": "Kembali", + "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", @@ -1371,6 +1645,8 @@ "DE.Views.Toolbar.tipRedo": "Ulangi", "DE.Views.Toolbar.tipSave": "Simpan", "DE.Views.Toolbar.tipSaveCoauth": "Simpan perubahan yang Anda buat agar dapat dilihat oleh pengguna lain", + "DE.Views.Toolbar.tipSendBackward": "Mundurkan", + "DE.Views.Toolbar.tipSendForward": "Majukan", "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", @@ -1394,5 +1670,21 @@ "DE.Views.Toolbar.txtScheme6": "Himpunan", "DE.Views.Toolbar.txtScheme7": "Margin Sisa", "DE.Views.Toolbar.txtScheme8": "Alur", - "DE.Views.Toolbar.txtScheme9": "Cetakan" + "DE.Views.Toolbar.txtScheme9": "Cetakan", + "DE.Views.ViewTab.textFitToPage": "Sesuaikan Halaman", + "DE.Views.ViewTab.textFitToWidth": "Sesuaikan Lebar", + "DE.Views.ViewTab.textZoom": "Perbesar", + "DE.Views.WatermarkSettingsDialog.textAuto": "Otomatis", + "DE.Views.WatermarkSettingsDialog.textBold": "Tebal", + "DE.Views.WatermarkSettingsDialog.textFont": "Huruf", + "DE.Views.WatermarkSettingsDialog.textFromFile": "Dari File", + "DE.Views.WatermarkSettingsDialog.textFromUrl": "Dari URL", + "DE.Views.WatermarkSettingsDialog.textHor": "Horizontal", + "DE.Views.WatermarkSettingsDialog.textItalic": "Miring", + "DE.Views.WatermarkSettingsDialog.textLanguage": "Bahasa", + "DE.Views.WatermarkSettingsDialog.textNone": "tidak ada", + "DE.Views.WatermarkSettingsDialog.textStrikeout": "Coret ganda", + "DE.Views.WatermarkSettingsDialog.textText": "Teks", + "DE.Views.WatermarkSettingsDialog.textUnderline": "Garis bawah", + "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 d7581dec9..a8bb45618 100644 --- a/apps/documenteditor/main/locale/it.json +++ b/apps/documenteditor/main/locale/it.json @@ -168,6 +168,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nuovo", "Common.UI.ExtendedColorDialog.textRGBErr": "Il valore inserito non è corretto.
Inserisci un valore numerico tra 0 e 255.", "Common.UI.HSBColorPicker.textNoColor": "Nessun colore", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Nascondi password", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostra password", "Common.UI.SearchDialog.textHighlight": "Evidenzia risultati", "Common.UI.SearchDialog.textMatchCase": "Sensibile al maiuscolo/minuscolo", "Common.UI.SearchDialog.textReplaceDef": "Inserisci testo sostitutivo", @@ -211,6 +213,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Elenchi puntati automatici", "Common.Views.AutoCorrectDialog.textBy": "Di", "Common.Views.AutoCorrectDialog.textDelete": "Elimina", + "Common.Views.AutoCorrectDialog.textFLCells": "Rendere maiuscola la prima lettera delle celle della tabella", "Common.Views.AutoCorrectDialog.textFLSentence": "Rendere maiuscola la prima lettera di frasi", "Common.Views.AutoCorrectDialog.textHyperlink": "Internet e percorsi di rete con i collegamenti ipertestuali", "Common.Views.AutoCorrectDialog.textHyphens": "‎Trattini (--) con trattino (-)‎", @@ -236,12 +239,14 @@ "Common.Views.Comments.mniAuthorDesc": "Autore dalla Z alla A", "Common.Views.Comments.mniDateAsc": "Più vecchio", "Common.Views.Comments.mniDateDesc": "Più recente", + "Common.Views.Comments.mniFilterGroups": "Filtra per gruppo", "Common.Views.Comments.mniPositionAsc": "Dall'alto", "Common.Views.Comments.mniPositionDesc": "Dal basso", "Common.Views.Comments.textAdd": "Aggiungi", "Common.Views.Comments.textAddComment": "Aggiungi commento", "Common.Views.Comments.textAddCommentToDoc": "Aggiungi commento al documento", "Common.Views.Comments.textAddReply": "Aggiungi risposta", + "Common.Views.Comments.textAll": "Tutti", "Common.Views.Comments.textAnonym": "Ospite", "Common.Views.Comments.textCancel": "Annulla", "Common.Views.Comments.textClose": "Chiudi", @@ -255,6 +260,7 @@ "Common.Views.Comments.textResolve": "Risolvere", "Common.Views.Comments.textResolved": "Chiuso", "Common.Views.Comments.textSort": "Ordinare commenti", + "Common.Views.Comments.textViewResolved": "Non sei autorizzato a riaprire il commento", "Common.Views.CopyWarningDialog.textDontShow": "Non mostrare più questo messaggio", "Common.Views.CopyWarningDialog.textMsg": "Le azioni di copia, taglia e incolla utilizzando i pulsanti della barra degli strumenti dell'editor e le azioni del menu di scelta rapida verranno eseguite solo all'interno di questa scheda dell'editor.

Per copiare o incollare in o da applicazioni esterne alla scheda dell'editor, utilizzare le seguenti combinazioni di tasti:", "Common.Views.CopyWarningDialog.textTitle": "Funzioni copia/taglia/incolla", @@ -431,6 +437,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Apri di nuovo", "Common.Views.ReviewPopover.textReply": "Rispondi", "Common.Views.ReviewPopover.textResolve": "Risolvere", + "Common.Views.ReviewPopover.textViewResolved": "Non sei autorizzato a riaprire il commento", "Common.Views.ReviewPopover.txtAccept": "Accettare", "Common.Views.ReviewPopover.txtDeleteTip": "Eliminare", "Common.Views.ReviewPopover.txtEditTip": "Modificare", @@ -602,6 +609,7 @@ "DE.Controllers.Main.textLongName": "Si prega di immettere un nome che contenga meno di 128 caratteri.", "DE.Controllers.Main.textNoLicenseTitle": "Limite di licenza raggiunto", "DE.Controllers.Main.textPaidFeature": "Funzionalità a pagamento", + "DE.Controllers.Main.textReconnect": "Connessione ripristinata", "DE.Controllers.Main.textRemember": "Ricorda la mia scelta per tutti i file", "DE.Controllers.Main.textRenameError": "Il nome utente non può essere vuoto.", "DE.Controllers.Main.textRenameLabel": "Immettere un nome da utilizzare per la collaborazione", @@ -879,6 +887,7 @@ "DE.Controllers.Main.warnProcessRightsChange": "Ti è stato negato il diritto di modificare il file.", "DE.Controllers.Navigation.txtBeginning": "Inizio del documento", "DE.Controllers.Navigation.txtGotoBeginning": "Vai all'inizio del documento", + "DE.Controllers.Statusbar.textDisconnect": "Connessione persa
Tentativo di connessione in corso. Si prega di controllare le impostazioni di connessione.", "DE.Controllers.Statusbar.textHasChanges": "Sono state rilevate nuove modifiche", "DE.Controllers.Statusbar.textSetTrackChanges": "Sei in modalità traccia cambiamenti", "DE.Controllers.Statusbar.textTrackChanges": "Il documento è aperto in modalità Traccia Revisioni attivata", @@ -902,10 +911,22 @@ "DE.Controllers.Toolbar.textMatrix": "Matrici", "DE.Controllers.Toolbar.textOperator": "Operatori", "DE.Controllers.Toolbar.textRadical": "Radicali", + "DE.Controllers.Toolbar.textRecentlyUsed": "Usati di recente", "DE.Controllers.Toolbar.textScript": "Script", "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", @@ -1283,7 +1304,7 @@ "DE.Views.ChartSettings.textWrap": "Stile di disposizione testo", "DE.Views.ChartSettings.txtBehind": "Dietro al testo", "DE.Views.ChartSettings.txtInFront": "Davanti al testo", - "DE.Views.ChartSettings.txtInline": "In linea", + "DE.Views.ChartSettings.txtInline": "In linea con il testo", "DE.Views.ChartSettings.txtSquare": "Quadrato", "DE.Views.ChartSettings.txtThrough": "All'interno", "DE.Views.ChartSettings.txtTight": "Ravvicinato", @@ -1457,6 +1478,7 @@ "DE.Views.DocumentHolder.textDistributeCols": "Distribuisci colonne", "DE.Views.DocumentHolder.textDistributeRows": "Distribuisci righe", "DE.Views.DocumentHolder.textEditControls": "Impostazioni di controllo del contenuto", + "DE.Views.DocumentHolder.textEditPoints": "Modifica punti", "DE.Views.DocumentHolder.textEditWrapBoundary": "Modifica bordi disposizione testo", "DE.Views.DocumentHolder.textFlipH": "Capovolgi orizzontalmente", "DE.Views.DocumentHolder.textFlipV": "Capovolgi verticalmente", @@ -1502,9 +1524,17 @@ "DE.Views.DocumentHolder.textUndo": "Annulla", "DE.Views.DocumentHolder.textUpdateAll": "Aggiorna intera tabella", "DE.Views.DocumentHolder.textUpdatePages": "Aggiorna solo numeri di pagina", - "DE.Views.DocumentHolder.textUpdateTOC": "Aggiorna Sommario", + "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", @@ -1553,7 +1583,7 @@ "DE.Views.DocumentHolder.txtHideVer": "Nascondi linea verticale", "DE.Views.DocumentHolder.txtIncreaseArg": "Aumenta dimensione argomento", "DE.Views.DocumentHolder.txtInFront": "Davanti al testo", - "DE.Views.DocumentHolder.txtInline": "In linea", + "DE.Views.DocumentHolder.txtInline": "In linea con il testo", "DE.Views.DocumentHolder.txtInsertArgAfter": "Inserisci argomento dopo", "DE.Views.DocumentHolder.txtInsertArgBefore": "Inserisci argomento prima", "DE.Views.DocumentHolder.txtInsertBreak": "Inserisci interruzione manuale", @@ -1871,6 +1901,7 @@ "DE.Views.ImageSettings.textCrop": "Ritaglia", "DE.Views.ImageSettings.textCropFill": "Riempimento", "DE.Views.ImageSettings.textCropFit": "Adatta", + "DE.Views.ImageSettings.textCropToShape": "Ritaglia forma", "DE.Views.ImageSettings.textEdit": "Modifica", "DE.Views.ImageSettings.textEditObject": "Modifica oggetto", "DE.Views.ImageSettings.textFitMargins": "Adatta al margine", @@ -1885,6 +1916,7 @@ "DE.Views.ImageSettings.textHintFlipV": "Capovolgi verticalmente", "DE.Views.ImageSettings.textInsert": "Sostituisci immagine", "DE.Views.ImageSettings.textOriginalSize": "Dimensione reale", + "DE.Views.ImageSettings.textRecentlyUsed": "Usati di recente", "DE.Views.ImageSettings.textRotate90": "Ruota di 90°", "DE.Views.ImageSettings.textRotation": "Rotazione", "DE.Views.ImageSettings.textSize": "Dimensione", @@ -1892,7 +1924,7 @@ "DE.Views.ImageSettings.textWrap": "Stile di disposizione testo", "DE.Views.ImageSettings.txtBehind": "Dietro al testo", "DE.Views.ImageSettings.txtInFront": "Davanti al testo", - "DE.Views.ImageSettings.txtInline": "In linea", + "DE.Views.ImageSettings.txtInline": "In linea con il testo", "DE.Views.ImageSettings.txtSquare": "Quadrato", "DE.Views.ImageSettings.txtThrough": "All'interno", "DE.Views.ImageSettings.txtTight": "Ravvicinato", @@ -1967,7 +1999,7 @@ "DE.Views.ImageSettingsAdvanced.textWrap": "Stile di disposizione testo", "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Dietro al testo", "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Davanti al testo", - "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "In linea", + "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "In linea con il testo", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Quadrato", "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "All'interno", "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "Ravvicinato", @@ -2000,7 +2032,7 @@ "DE.Views.LineNumbersDialog.txtAutoText": "Auto", "DE.Views.Links.capBtnBookmarks": "Segnalibro", "DE.Views.Links.capBtnCaption": "Didascalia", - "DE.Views.Links.capBtnContentsUpdate": "Aggiorna", + "DE.Views.Links.capBtnContentsUpdate": "Aggiorna tabella", "DE.Views.Links.capBtnCrossRef": "‎Riferimento incrociato‎", "DE.Views.Links.capBtnInsContents": "Sommario", "DE.Views.Links.capBtnInsFootnote": "Nota a piè di pagina", @@ -2025,13 +2057,13 @@ "DE.Views.Links.tipBookmarks": "Crea un segnalibro", "DE.Views.Links.tipCaption": "Inserisci didascalia", "DE.Views.Links.tipContents": "Inserisci Sommario", - "DE.Views.Links.tipContentsUpdate": "Aggiorna Sommario", + "DE.Views.Links.tipContentsUpdate": "Aggiorna sommario", "DE.Views.Links.tipCrossRef": "Inserisci riferimento incrociato", "DE.Views.Links.tipInsertHyperlink": "Aggiungi collegamento ipertestuale", "DE.Views.Links.tipNotes": "Inserisci o modifica Note a piè di pagina", "DE.Views.Links.tipTableFigures": "Inserisci la tabella delle figure", - "DE.Views.Links.tipTableFiguresUpdate": "‎Aggiorna l'indice delle figure‎", - "DE.Views.Links.titleUpdateTOF": "‎Aggiorna l'indice delle figure‎", + "DE.Views.Links.tipTableFiguresUpdate": "‎Aggiorna indice delle figure‎", + "DE.Views.Links.titleUpdateTOF": "‎Aggiorna indice delle figure‎", "DE.Views.ListSettingsDialog.textAuto": "Automatico", "DE.Views.ListSettingsDialog.textCenter": "Al centro", "DE.Views.ListSettingsDialog.textLeft": "A sinistra", @@ -2155,6 +2187,11 @@ "DE.Views.PageSizeDialog.textTitle": "Dimensione pagina", "DE.Views.PageSizeDialog.textWidth": "Larghezza", "DE.Views.PageSizeDialog.txtCustom": "Personalizzato", + "DE.Views.PageThumbnails.textClosePanel": "Chiudi anteprima pagina", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "Evidenziare la parte visibile della pagina", + "DE.Views.PageThumbnails.textPageThumbnails": "Miniature delle pagine", + "DE.Views.PageThumbnails.textThumbnailsSettings": "Impostazioni anteprime", + "DE.Views.PageThumbnails.textThumbnailsSize": "Dimenzione anteprime", "DE.Views.ParagraphSettings.strIndent": "Rientri", "DE.Views.ParagraphSettings.strIndentsLeftText": "A sinistra", "DE.Views.ParagraphSettings.strIndentsRightText": "A destra", @@ -2290,6 +2327,7 @@ "DE.Views.ShapeSettings.textPatternFill": "Modello", "DE.Views.ShapeSettings.textPosition": "Posizione", "DE.Views.ShapeSettings.textRadial": "Radiale", + "DE.Views.ShapeSettings.textRecentlyUsed": "Usati di recente", "DE.Views.ShapeSettings.textRotate90": "Ruota di 90°", "DE.Views.ShapeSettings.textRotation": "Rotazione", "DE.Views.ShapeSettings.textSelectImage": "Seleziona immagine", @@ -2310,7 +2348,7 @@ "DE.Views.ShapeSettings.txtGranite": "Granito", "DE.Views.ShapeSettings.txtGreyPaper": "Carta grigia", "DE.Views.ShapeSettings.txtInFront": "Davanti al testo", - "DE.Views.ShapeSettings.txtInline": "In linea", + "DE.Views.ShapeSettings.txtInline": "In linea con il testo", "DE.Views.ShapeSettings.txtKnit": "A maglia", "DE.Views.ShapeSettings.txtLeather": "Cuoio", "DE.Views.ShapeSettings.txtNoBorders": "Nessuna linea", @@ -2570,7 +2608,7 @@ "DE.Views.Toolbar.capBtnInsControls": "Controlli del contenuto", "DE.Views.Toolbar.capBtnInsDropcap": "Capolettera", "DE.Views.Toolbar.capBtnInsEquation": "Equazione", - "DE.Views.Toolbar.capBtnInsHeader": "Inntestazioni/Piè di pagina", + "DE.Views.Toolbar.capBtnInsHeader": "Intestazione/Piè di pagina", "DE.Views.Toolbar.capBtnInsImage": "Immagine", "DE.Views.Toolbar.capBtnInsPagebreak": "Interruzione di pagina", "DE.Views.Toolbar.capBtnInsShape": "Forma", @@ -2681,6 +2719,7 @@ "DE.Views.Toolbar.textTabLinks": "Riferimenti", "DE.Views.Toolbar.textTabProtect": "Protezione", "DE.Views.Toolbar.textTabReview": "Revisione", + "DE.Views.Toolbar.textTabView": "Visualizza", "DE.Views.Toolbar.textTitleError": "Errore", "DE.Views.Toolbar.textToCurrent": "Alla posizione corrente", "DE.Views.Toolbar.textTop": "in alto:", @@ -2772,6 +2811,15 @@ "DE.Views.Toolbar.txtScheme7": "Azionario", "DE.Views.Toolbar.txtScheme8": "Flusso", "DE.Views.Toolbar.txtScheme9": "Fonderia", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Mostra sempre barra degli strumenti ", + "DE.Views.ViewTab.textDarkDocument": "Documento scuro", + "DE.Views.ViewTab.textFitToPage": "Adatta alla pagina", + "DE.Views.ViewTab.textFitToWidth": "Adatta alla larghezza", + "DE.Views.ViewTab.textInterfaceTheme": "Tema dell'interfaccia", + "DE.Views.ViewTab.textNavigation": "Navigazione", + "DE.Views.ViewTab.textRulers": "Righelli", + "DE.Views.ViewTab.textStatusBar": "Barra di stato", + "DE.Views.ViewTab.textZoom": "Zoom", "DE.Views.WatermarkSettingsDialog.textAuto": "Auto", "DE.Views.WatermarkSettingsDialog.textBold": "Grassetto", "DE.Views.WatermarkSettingsDialog.textColor": "Colore del testo", diff --git a/apps/documenteditor/main/locale/ja.json b/apps/documenteditor/main/locale/ja.json index b9b088f18..6ee05345e 100644 --- a/apps/documenteditor/main/locale/ja.json +++ b/apps/documenteditor/main/locale/ja.json @@ -126,21 +126,21 @@ "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.textApril": "4月", + "Common.UI.Calendar.textAugust": "8月", + "Common.UI.Calendar.textDecember": "12月", + "Common.UI.Calendar.textFebruary": "2月", + "Common.UI.Calendar.textJanuary": "1月", + "Common.UI.Calendar.textJuly": "7月", + "Common.UI.Calendar.textJune": "6月", + "Common.UI.Calendar.textMarch": "3月", + "Common.UI.Calendar.textMay": "5月", "Common.UI.Calendar.textMonths": "月", - "Common.UI.Calendar.textNovember": "十一月", - "Common.UI.Calendar.textOctober": "十月", - "Common.UI.Calendar.textSeptember": "九月", + "Common.UI.Calendar.textNovember": "11月", + "Common.UI.Calendar.textOctober": "10月", + "Common.UI.Calendar.textSeptember": "9月", "Common.UI.Calendar.textShortApril": "四月", - "Common.UI.Calendar.textShortAugust": "八月", + "Common.UI.Calendar.textShortAugust": "8月", "Common.UI.Calendar.textShortDecember": "十二月", "Common.UI.Calendar.textShortFebruary": "二月", "Common.UI.Calendar.textShortFriday": "金", @@ -148,12 +148,12 @@ "Common.UI.Calendar.textShortJuly": "七月", "Common.UI.Calendar.textShortJune": "六月", "Common.UI.Calendar.textShortMarch": "三月", - "Common.UI.Calendar.textShortMay": "五月", + "Common.UI.Calendar.textShortMay": "5月", "Common.UI.Calendar.textShortMonday": "月", "Common.UI.Calendar.textShortNovember": "十一月", - "Common.UI.Calendar.textShortOctober": "十月", + "Common.UI.Calendar.textShortOctober": "10月", "Common.UI.Calendar.textShortSaturday": "土", - "Common.UI.Calendar.textShortSeptember": "九月", + "Common.UI.Calendar.textShortSeptember": "9月", "Common.UI.Calendar.textShortSunday": "日", "Common.UI.Calendar.textShortThursday": "木", "Common.UI.Calendar.textShortTuesday": "火", @@ -168,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": "代替テキストの挿入する", @@ -211,6 +213,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": "ハイフン(--)の代わりにダッシュ(—)", @@ -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,7 @@ "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": "コピー,切り取り,貼り付けの操作", @@ -274,7 +281,7 @@ "Common.Views.Header.textAdvSettings": "詳細設定", "Common.Views.Header.textBack": "ファイルのURLを開く", "Common.Views.Header.textCompactView": "ツールバーを隠す", - "Common.Views.Header.textHideLines": "ルーラを隠す", + "Common.Views.Header.textHideLines": "ルーラーを表示しない", "Common.Views.Header.textHideStatusBar": "ステータスバーを表示しない", "Common.Views.Header.textRemoveFavorite": "お気に入りから削除", "Common.Views.Header.textZoom": "拡大率", @@ -431,6 +438,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": "編集", @@ -499,11 +507,12 @@ "DE.Controllers.LeftMenu.requestEditRightsText": "アクセス権の編集の要求中...", "DE.Controllers.LeftMenu.textLoadHistory": "バリエーションの履歴の読み込み中...", "DE.Controllers.LeftMenu.textNoTextFound": "検索データが見つかりませんでした。他の検索設定を選択してください。", - "DE.Controllers.LeftMenu.textReplaceSkipped": "置換が行われました。スキップされた発生回数は{0}です。", + "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": "変更の読み込み中", @@ -551,7 +560,7 @@ "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "インターネット接続が復旧し、ファイルのバージョンが更新されています。
作業を継続する前に、ファイルをダウンロードするか内容をコピーして、変更が消えてしまわないようにしてからページを再読み込みしてください。", "DE.Controllers.Main.errorUserDrop": "ファイルにアクセスできません", "DE.Controllers.Main.errorUsersExceed": "料金プランによってユーザ数を超過しています。", - "DE.Controllers.Main.errorViewerDisconnect": "接続が切断された。文書を表示が可能ですが、
接続を復旧し、ページを再読み込む前に、ダウンロード・印刷できません。", + "DE.Controllers.Main.errorViewerDisconnect": "接続が失われました。文書の表示は可能ですが、
再度接続されてページが再ロードされるまで、ダウンロードまたは印刷することはできません。", "DE.Controllers.Main.leavePageText": "この文書の保存されていない変更があります。保存するために「このページにとどまる」、「保存」をクリックしてください。全ての保存しない変更をキャンサルするために「このページを離れる」をクリックしてください。", "DE.Controllers.Main.leavePageTextOnClose": "変更を保存せずにドキュメントを閉じると変更が失われます。
保存するには\"キャンセル\"を押して、保存をしてください。保存せずに破棄するには\"OK\"をクリックしてください。", "DE.Controllers.Main.loadFontsTextText": "データを読み込んでいます", @@ -602,6 +611,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": "コラボレーションに使用する名前を入力します", @@ -609,7 +619,7 @@ "DE.Controllers.Main.textStrict": "厳格モード", "DE.Controllers.Main.textTryUndoRedo": "ファスト共同編集モードに元に戻す/やり直しの機能は無効になります。
他のユーザーの干渉なし編集するために「厳密なモード」をクリックして、厳密な共同編集モードに切り替えてください。保存した後にのみ、変更を送信してください。編集の詳細設定を使用して共同編集モードを切り替えることができます。", "DE.Controllers.Main.textTryUndoRedoWarn": "ファスト共同編集モードでは、元に戻す/やり直し機能が無効になります。", - "DE.Controllers.Main.titleLicenseExp": "ライセンス期限を過ぎました", + "DE.Controllers.Main.titleLicenseExp": "ライセンスの有効期限が切れています", "DE.Controllers.Main.titleServerVersion": "エディターが更新された", "DE.Controllers.Main.titleUpdateVersion": "バージョンを変更しました。", "DE.Controllers.Main.txtAbove": "上", @@ -870,7 +880,7 @@ "DE.Controllers.Main.warnBrowserIE9": "IE9にアプリケーションの機能のレベルが低いです。IE10または次のバージョンを使ってください。", "DE.Controllers.Main.warnBrowserZoom": "お使いのブラウザの現在のズームの設定は完全にサポートされていません。Ctrl+0を押して、デフォルトのズームにリセットしてください。", "DE.Controllers.Main.warnLicenseExceeded": "%1エディターへの同時接続の制限に達しました。 このドキュメントは表示専用で開かれます。
詳細については、管理者にお問い合わせください。", - "DE.Controllers.Main.warnLicenseExp": "ライセンスの期限が切れました。
ライセンスを更新して、ページをリロードしてください。", + "DE.Controllers.Main.warnLicenseExp": "ライセンスの有効期限が切れています。
ライセンスを更新してページをリロードしてください。", "DE.Controllers.Main.warnLicenseLimitedNoAccess": "ライセンスの有効期限が切れています。
ドキュメント編集機能にアクセスできません。
管理者にご連絡ください。", "DE.Controllers.Main.warnLicenseLimitedRenewed": "ライセンスを更新する必要があります。
ドキュメント編集機能へのアクセスが制限されています。
フルアクセスを取得するには、管理者にご連絡ください", "DE.Controllers.Main.warnLicenseUsersExceeded": "%1エディターのユーザー制限に達しました。 詳細については、管理者にお問い合わせください。", @@ -879,6 +889,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": "有効な変更履歴のモードにドキュメントがドキュメントが開かれました。", @@ -906,6 +917,13 @@ "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": "左に矢印 (上)", @@ -1439,6 +1457,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": "背景へ移動", @@ -1505,6 +1524,13 @@ "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.toDictionaryText": "辞書に追加", "DE.Views.DocumentHolder.txtAddBottom": "下罫線の追加", "DE.Views.DocumentHolder.txtAddFractionBar": "分数罫の追加", @@ -1646,7 +1672,7 @@ "DE.Views.FileMenu.btnBackCaption": "ファイルのURLを開く", "DE.Views.FileMenu.btnCloseMenuCaption": "(←戻る)", "DE.Views.FileMenu.btnCreateNewCaption": "新規作成", - "DE.Views.FileMenu.btnDownloadCaption": "としてダウンロード", + "DE.Views.FileMenu.btnDownloadCaption": "名前を付けてダウンロード", "DE.Views.FileMenu.btnExitCaption": "終了", "DE.Views.FileMenu.btnFileOpenCaption": "開く", "DE.Views.FileMenu.btnHelpCaption": "ヘルプ...", @@ -1871,6 +1897,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": "余白内に収まる", @@ -2155,6 +2182,7 @@ "DE.Views.PageSizeDialog.textTitle": "ページのサイズ", "DE.Views.PageSizeDialog.textWidth": "幅", "DE.Views.PageSizeDialog.txtCustom": "ユーザー設定", + "DE.Views.PageThumbnails.textClosePanel": "ページサムネイルを閉じる", "DE.Views.ParagraphSettings.strIndent": "インデント", "DE.Views.ParagraphSettings.strIndentsLeftText": "左", "DE.Views.ParagraphSettings.strIndentsRightText": "右", @@ -2681,6 +2709,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": "トップ:", @@ -2772,6 +2801,13 @@ "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.textInterfaceTheme": "インターフェイスのテーマ", + "DE.Views.ViewTab.textNavigation": "ナビゲーション", + "DE.Views.ViewTab.textRulers": "ルーラー", + "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 24da2d07d..838e7c627 100644 --- a/apps/documenteditor/main/locale/lo.json +++ b/apps/documenteditor/main/locale/lo.json @@ -1205,6 +1205,7 @@ "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": "ເພີ່ມ", @@ -1692,7 +1693,7 @@ "DE.Views.FileMenuPanels.Settings.strShowChanges": "ການແກ້່ໄຂຮ່ວມກັນແບບ ReaL time", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "ເປີດຕົວເລືອກການກວດສອບການສະກົດຄໍາ", "DE.Views.FileMenuPanels.Settings.strStrict": "ເຂັ້ມງວດ, ໂຕເຂັ້ມ", - "DE.Views.FileMenuPanels.Settings.strTheme": "้ຫນ້າຕາຂອງ theme", + "DE.Views.FileMenuPanels.Settings.strTheme": "้ຮູບແບບການສະແດງຜົນ", "DE.Views.FileMenuPanels.Settings.strUnit": "ຫົວຫນ່ວຍວັດແທກ (ນີ້ວ)", "DE.Views.FileMenuPanels.Settings.strZoom": "ຄ່າຂະຫຍາຍເລີ່ມຕົ້ມ", "DE.Views.FileMenuPanels.Settings.text10Minutes": "ທຸກໆ10ນາທີ", @@ -1783,6 +1784,7 @@ "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": "ຕື່ມຈາກໂໝດ", @@ -2720,6 +2722,7 @@ "DE.Views.Toolbar.txtScheme7": "ຄວາມເທົ່າທຽມກັນ", "DE.Views.Toolbar.txtScheme8": "ຂະບວນການ", "DE.Views.Toolbar.txtScheme9": "ໂຮງຫລໍ່", + "DE.Views.ViewTab.textInterfaceTheme": "ຮູບແບບການສະແດງຜົນ", "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 e89c03af9..5395c04b3 100644 --- a/apps/documenteditor/main/locale/lv.json +++ b/apps/documenteditor/main/locale/lv.json @@ -63,6 +63,7 @@ "Common.Controllers.ReviewChanges.textTabs": "Change tabs", "Common.Controllers.ReviewChanges.textUnderline": "Underline", "Common.Controllers.ReviewChanges.textWidow": "Widow control", + "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", @@ -250,6 +251,7 @@ "Common.Views.ReviewChangesDialog.txtReject": "Noraidīt", "Common.Views.ReviewChangesDialog.txtRejectAll": "Noraidīt visas izmaiņas", "Common.Views.ReviewChangesDialog.txtRejectCurrent": "Noraidīt šībrīža izmaiņu", + "Common.Views.ReviewPopover.textAddReply": "Pievienot atbildi", "Common.Views.SignDialog.textBold": "Treknraksts", "Common.Views.SignDialog.textCertificate": "sertifikāts", "Common.Views.SignDialog.textChange": "Izmainīt", @@ -771,6 +773,7 @@ "DE.Views.BookmarksDialog.textName": "Nosaukums", "DE.Views.BookmarksDialog.textSort": "Šķirot pēc", "DE.Views.BookmarksDialog.textTitle": "Grāmatzīmes", + "DE.Views.CaptionDialog.textBefore": "Pirms", "DE.Views.ChartSettings.textAdvanced": "Show advanced settings", "DE.Views.ChartSettings.textChartType": "Change Chart Type", "DE.Views.ChartSettings.textEditData": "Edit Data", @@ -789,6 +792,7 @@ "DE.Views.ChartSettings.txtTight": "Tight", "DE.Views.ChartSettings.txtTitle": "Chart", "DE.Views.ChartSettings.txtTopAndBottom": "Top and bottom", + "DE.Views.ControlSettingsDialog.textAdd": "pievienot", "DE.Views.ControlSettingsDialog.textLock": "Bloķēšana", "DE.Views.ControlSettingsDialog.textName": "Nosaukums", "DE.Views.ControlSettingsDialog.textTag": "Birka", @@ -1047,6 +1051,7 @@ "DE.Views.FileMenu.btnSettingsCaption": "Papildu iestatījumi...", "DE.Views.FileMenu.btnToEditCaption": "Rediģēt dokumentu", "DE.Views.FileMenu.textDownload": "Download", + "DE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Piemērot", "DE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Autors", "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Change access rights", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Ielādē...", @@ -1114,6 +1119,10 @@ "DE.Views.FileMenuPanels.Settings.txtPt": "Point", "DE.Views.FileMenuPanels.Settings.txtSpellCheck": "Spell Checking", "DE.Views.FileMenuPanels.Settings.txtWin": "as Windows", + "DE.Views.FormSettings.textBackgroundColor": "Fona krāsa", + "DE.Views.FormSettings.textCheckbox": "Izvēles rūtiņa", + "DE.Views.FormsTab.capBtnCheckBox": "Izvēles rūtiņa", + "DE.Views.FormsTab.tipImageField": "Ievietot attēlu", "DE.Views.HeaderFooterSettings.textBottomCenter": "apakšā centrā", "DE.Views.HeaderFooterSettings.textBottomLeft": "apakšā pa kreisi", "DE.Views.HeaderFooterSettings.textBottomPage": "Lapas apakša", @@ -1170,6 +1179,7 @@ "DE.Views.ImageSettingsAdvanced.textAltDescription": "Apraksts", "DE.Views.ImageSettingsAdvanced.textAltTip": "Vizuālās objekta informācijas attainojums alternatīvā teksta veidā, kuru lasīs cilvēki ar redzes vai uztveres traucējumiem un kuriem tas labāk palīdzēs izprast, kāda informācija ir ietverta tekstā, automātiskajā figūrā, diagrammā vai tabulā.", "DE.Views.ImageSettingsAdvanced.textAltTitle": "Nosaukums", + "DE.Views.ImageSettingsAdvanced.textAngle": "Leņķis", "DE.Views.ImageSettingsAdvanced.textArrows": "Arrows", "DE.Views.ImageSettingsAdvanced.textAspectRatio": "Saglabāt proporcijas", "DE.Views.ImageSettingsAdvanced.textBeginSize": "Begin Size", @@ -1258,6 +1268,7 @@ "DE.Views.Links.tipInsertHyperlink": "Pievienot hipersaiti", "DE.Views.Links.tipNotes": "Ievietot vai rediģēt apakšējās piezīmes", "DE.Views.ListSettingsDialog.textPreview": "Priekšskatījums", + "DE.Views.ListSettingsDialog.txtAlign": "Nolīdzināšana", "DE.Views.MailMergeEmailDlg.filePlaceholder": "PDF", "DE.Views.MailMergeEmailDlg.okButtonText": "Send", "DE.Views.MailMergeEmailDlg.subjectPlaceholder": "Theme", @@ -1366,6 +1377,7 @@ "DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Double strikethrough", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Pa kreisi", "DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Pa labi", + "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "pēc", "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Turēt līnijas kopā", "DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Keep with next", "DE.Views.ParagraphSettingsAdvanced.strMargins": "Margins", @@ -1379,6 +1391,7 @@ "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superscript", "DE.Views.ParagraphSettingsAdvanced.strTabs": "Tab", "DE.Views.ParagraphSettingsAdvanced.textAlign": "Alignment", + "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Vismaz", "DE.Views.ParagraphSettingsAdvanced.textBackColor": "Fona krāsa", "DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Apmales krāsa", "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Noklikšķiniet uz diagrammas vai izmantojiet pogas, lai izvēlētos apmales un piemerotu izvēlēto stilu", @@ -1410,6 +1423,7 @@ "DE.Views.ParagraphSettingsAdvanced.tipOuter": "Set Outer Border Only", "DE.Views.ParagraphSettingsAdvanced.tipRight": "Set Right Border Only", "DE.Views.ParagraphSettingsAdvanced.tipTop": "Set Top Border Only", + "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automātiski", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Nav apmales", "DE.Views.RightMenu.txtChartSettings": "Chart Settings", "DE.Views.RightMenu.txtHeaderFooterSettings": "Galvenes un Kājenes iestatījumi", @@ -1563,6 +1577,7 @@ "DE.Views.TableSettings.tipRight": "Set Outer Right Border Only", "DE.Views.TableSettings.tipTop": "Set Outer Top Border Only", "DE.Views.TableSettings.txtNoBorders": "Nav apmales", + "DE.Views.TableSettings.txtTable_Accent": "Akcents", "DE.Views.TableSettingsAdvanced.textAlign": "Nolīdzināšana", "DE.Views.TableSettingsAdvanced.textAlignment": "Alignment", "DE.Views.TableSettingsAdvanced.textAllowSpacing": "Atļaut atstarpes starp šūnām", @@ -1654,6 +1669,7 @@ "DE.Views.TextArtSettings.textTemplate": "Template", "DE.Views.TextArtSettings.textTransform": "Transform", "DE.Views.TextArtSettings.txtNoBorders": "No Line", + "DE.Views.Toolbar.capBtnAddComment": "Pievienot Komentāru", "DE.Views.Toolbar.capBtnColumns": "Kolonnas", "DE.Views.Toolbar.capBtnComment": "Komentārs", "DE.Views.Toolbar.capBtnInsChart": "Diagramma", @@ -1712,7 +1728,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Normal", "DE.Views.Toolbar.textMarginsUsNormal": "Parastie (ASV standarts)", "DE.Views.Toolbar.textMarginsWide": "Wide", - "DE.Views.Toolbar.textNewColor": "Pievienot jauno krāsu", + "DE.Views.Toolbar.textNewColor": "Pievienot jaunu 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 f60990bdb..a238e6489 100644 --- a/apps/documenteditor/main/locale/nb.json +++ b/apps/documenteditor/main/locale/nb.json @@ -14,22 +14,26 @@ "Common.Controllers.ReviewChanges.textChart": "Diagram", "Common.Controllers.ReviewChanges.textDeleted": "Slettet:", "Common.Controllers.ReviewChanges.textExact": "nøyaktig", + "Common.Controllers.ReviewChanges.textFirstLine": "Første linje", "Common.Controllers.ReviewChanges.textImage": "Bilde", "Common.Controllers.ReviewChanges.textInserted": "Satt inn:", "Common.Controllers.ReviewChanges.textJustify": "Still opp jevnt", "Common.Controllers.ReviewChanges.textLeft": "Still opp venstre", + "Common.Controllers.ReviewChanges.textMultiple": "Flere", "Common.Controllers.ReviewChanges.textNoContextual": "Legg til mellomrom mellom", "Common.Controllers.ReviewChanges.textNum": "Endre nummerering", "Common.Controllers.ReviewChanges.textParaDeleted": "Avsnitt slettet", "Common.Controllers.ReviewChanges.textParaInserted": "Avsnitt satt inn", "Common.Controllers.ReviewChanges.textRight": "Still opp høyre", "Common.Controllers.ReviewChanges.textShd": "Bakgrunnsfarge", + "Common.Controllers.ReviewChanges.textSpacing": "Avstand", "Common.Controllers.ReviewChanges.textTabs": "Bytt faner", "Common.Controllers.ReviewChanges.textTitleComparison": "Innstillinger for sammenlikning", "Common.define.chartData.textArea": "Areal", "Common.define.chartData.textBar": "Søyle", "Common.define.chartData.textCharts": "Diagrammer", "Common.define.chartData.textColumn": "Kolonne", + "Common.UI.ButtonColored.textAutoColor": "Automatisk", "Common.UI.Calendar.textApril": "april", "Common.UI.Calendar.textAugust": "august", "Common.UI.Calendar.textDecember": "desember", @@ -38,6 +42,8 @@ "Common.UI.ExtendedColorDialog.addButtonText": "Legg til", "Common.UI.ExtendedColorDialog.textCurrent": "Nåværende", "Common.UI.SearchDialog.textMatchCase": "Følsom for store og små bokstaver", + "Common.UI.ThemeColorPalette.textStandartColors": "Standardfarger", + "Common.UI.ThemeColorPalette.textThemeColors": "Temafarger", "Common.UI.Window.cancelButtonText": "Avbryt", "Common.UI.Window.closeButtonText": "Lukk", "Common.UI.Window.textConfirmation": "Bekreftelse", @@ -361,6 +367,7 @@ "DE.Views.DocumentHolder.txtOverbar": "Linje over teksten", "DE.Views.DocumentHolder.txtUnderbar": "Linje under teksten", "DE.Views.DropcapSettingsAdvanced.strBorders": "Linjer & Fyll", + "DE.Views.DropcapSettingsAdvanced.strMargins": "Marginer", "DE.Views.DropcapSettingsAdvanced.textAlign": "Oppstilling", "DE.Views.DropcapSettingsAdvanced.textAtLeast": "Minst", "DE.Views.DropcapSettingsAdvanced.textAuto": "Auto", @@ -376,6 +383,7 @@ "DE.Views.EditListItemDialog.textValueError": "Det finnes allerede en gjenstand med samme verdi.", "DE.Views.FileMenu.btnCloseMenuCaption": "Lukk menyen", "DE.Views.FileMenu.btnCreateNewCaption": "Opprett ny", + "DE.Views.FileMenu.btnPrintCaption": "Skriv ut", "DE.Views.FileMenu.btnReturnCaption": "Tilbake til dokument", "DE.Views.FileMenu.btnRightsCaption": "Tilgangsrettigheter...", "DE.Views.FileMenu.btnSettingsCaption": "Avanserte innstillinger...", @@ -420,6 +428,8 @@ "DE.Views.FileMenuPanels.Settings.txtWarnMacros": "Vis varsling", "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Deaktiver alle makroer med et varsel", "DE.Views.FileMenuPanels.Settings.txtWin": "som Windows", + "DE.Views.FormSettings.textImage": "Bilde", + "DE.Views.FormsTab.capBtnImage": "Bilde", "DE.Views.HeaderFooterSettings.textBottomCenter": "Bunn senter", "DE.Views.HeaderFooterSettings.textBottomLeft": "Margin bunn", "DE.Views.HeaderFooterSettings.textBottomPage": "Nederst på siden", @@ -515,6 +525,7 @@ "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Venstre", "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Etter", "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Før", + "DE.Views.ParagraphSettingsAdvanced.strSpacing": "Avstand", "DE.Views.ParagraphSettingsAdvanced.textAlign": "Oppstilling", "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Minst", "DE.Views.ParagraphSettingsAdvanced.textBackColor": "Bakgrunnsfarge", @@ -526,6 +537,7 @@ "DE.Views.ParagraphSettingsAdvanced.textCentered": "Sentrert", "DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Tegnavstand", "DE.Views.ParagraphSettingsAdvanced.textDefault": "Standard fane", + "DE.Views.ParagraphSettingsAdvanced.textExact": "Eøyaktig", "DE.Views.ParagraphSettingsAdvanced.textLeft": "Venstre", "DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(ingen)", "DE.Views.ParagraphSettingsAdvanced.textTabCenter": "Senter", diff --git a/apps/documenteditor/main/locale/nl.json b/apps/documenteditor/main/locale/nl.json index 0eda9e811..dba5ba8ff 100644 --- a/apps/documenteditor/main/locale/nl.json +++ b/apps/documenteditor/main/locale/nl.json @@ -168,6 +168,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nieuw", "Common.UI.ExtendedColorDialog.textRGBErr": "De ingevoerde waarde is onjuist.
Voer een numerieke waarde tussen 0 en 255 in.", "Common.UI.HSBColorPicker.textNoColor": "Geen kleur", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Wachtwoord verbergen", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Wachtwoord weergeven", "Common.UI.SearchDialog.textHighlight": "Resultaten markeren", "Common.UI.SearchDialog.textMatchCase": "Hoofdlettergevoelig", "Common.UI.SearchDialog.textReplaceDef": "Voer de vervangende tekst in", @@ -236,12 +238,14 @@ "Common.Views.Comments.mniAuthorDesc": "Auteur Z tot A", "Common.Views.Comments.mniDateAsc": "Oudste", "Common.Views.Comments.mniDateDesc": "Nieuwste", + "Common.Views.Comments.mniFilterGroups": "Filter per groep", "Common.Views.Comments.mniPositionAsc": "Van bovenkant", "Common.Views.Comments.mniPositionDesc": "Van onderkant", "Common.Views.Comments.textAdd": "Toevoegen", "Common.Views.Comments.textAddComment": "Opmerking toevoegen", "Common.Views.Comments.textAddCommentToDoc": "Opmerking toevoegen aan document", "Common.Views.Comments.textAddReply": "Antwoord toevoegen", + "Common.Views.Comments.textAll": "Alle", "Common.Views.Comments.textAnonym": "Gast", "Common.Views.Comments.textCancel": "Annuleren", "Common.Views.Comments.textClose": "Sluiten", @@ -255,6 +259,7 @@ "Common.Views.Comments.textResolve": "Oplossen", "Common.Views.Comments.textResolved": "Opgelost", "Common.Views.Comments.textSort": "Opmerkingen sorteren", + "Common.Views.Comments.textViewResolved": "U heeft geen toestemming om deze opmerking te heropenen", "Common.Views.CopyWarningDialog.textDontShow": "Dit bericht niet meer weergeven", "Common.Views.CopyWarningDialog.textMsg": "De acties Kopiëren, Knippen en Plakken kunnen alleen met behulp van de knoppen op de werkbalk en de acties in het contextmenu worden uitgevoerd op dit tabblad van de editor.

Als u wilt kopiëren naar of plakken van toepassingen buiten het tabblad van de editor, gebruikt u de volgende toetsencombinaties:", "Common.Views.CopyWarningDialog.textTitle": "Acties Kopiëren, Knippen en Plakken", @@ -431,6 +436,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Opnieuw openen", "Common.Views.ReviewPopover.textReply": "Beantwoorden", "Common.Views.ReviewPopover.textResolve": "Oplossen", + "Common.Views.ReviewPopover.textViewResolved": "U heeft geen toestemming om deze opmerking te heropenen", "Common.Views.ReviewPopover.txtAccept": "Accepteer", "Common.Views.ReviewPopover.txtDeleteTip": "Verwijder", "Common.Views.ReviewPopover.txtEditTip": "Bewerken", @@ -602,6 +608,7 @@ "DE.Controllers.Main.textLongName": "Voer een naam in die uit minder dan 128 tekens bestaat.", "DE.Controllers.Main.textNoLicenseTitle": "Licentielimiet bereikt", "DE.Controllers.Main.textPaidFeature": "Betaalde optie", + "DE.Controllers.Main.textReconnect": "Connectie is hervat", "DE.Controllers.Main.textRemember": "Onthoud voorkeur", "DE.Controllers.Main.textRenameError": "Gebruikersnaam mag niet leeg zijn. ", "DE.Controllers.Main.textRenameLabel": "Voer een naam in die voor samenwerking moet worden gebruikt ", @@ -879,6 +886,7 @@ "DE.Controllers.Main.warnProcessRightsChange": "Het recht om het bestand te bewerken is u ontzegd.", "DE.Controllers.Navigation.txtBeginning": "Begin van het document", "DE.Controllers.Navigation.txtGotoBeginning": "Ga naar het begin van het document", + "DE.Controllers.Statusbar.textDisconnect": "Verbinding verbroken
Proberen opnieuw te verbinden. Controleer de netwerkinstellingen.", "DE.Controllers.Statusbar.textHasChanges": "Er zijn nieuwe wijzigingen bijgehouden", "DE.Controllers.Statusbar.textSetTrackChanges": "U bevindt zich in de modus Wijzigingen bijhouden ", "DE.Controllers.Statusbar.textTrackChanges": "Het document is geopend met de modus 'Wijzigingen bijhouden' geactiveerd", @@ -902,10 +910,14 @@ "DE.Controllers.Toolbar.textMatrix": "Matrices", "DE.Controllers.Toolbar.textOperator": "Operators", "DE.Controllers.Toolbar.textRadical": "Wortels", + "DE.Controllers.Toolbar.textRecentlyUsed": "Recent gebruikt", "DE.Controllers.Toolbar.textScript": "Scripts", "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", @@ -1439,6 +1451,7 @@ "DE.Views.DocumentHolder.strSign": "Onderteken", "DE.Views.DocumentHolder.styleText": "Opmaak als stijl", "DE.Views.DocumentHolder.tableText": "Tabel", + "DE.Views.DocumentHolder.textAccept": "Accepteer verandering", "DE.Views.DocumentHolder.textAlign": "Uitlijnen", "DE.Views.DocumentHolder.textArrange": "Ordenen", "DE.Views.DocumentHolder.textArrangeBack": "Naar achtergrond sturen", @@ -1472,6 +1485,7 @@ "DE.Views.DocumentHolder.textPaste": "Plakken", "DE.Views.DocumentHolder.textPrevPage": "Vorige pagina", "DE.Views.DocumentHolder.textRefreshField": "Ververs veld", + "DE.Views.DocumentHolder.textReject": "Verandering weigeren", "DE.Views.DocumentHolder.textRemCheckBox": "Verwijder het selectievakje", "DE.Views.DocumentHolder.textRemComboBox": "Verwijder keuzelijst met invoervak", "DE.Views.DocumentHolder.textRemDropdown": "Dropdown verwijderen", @@ -1505,6 +1519,9 @@ "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", @@ -1871,6 +1888,7 @@ "DE.Views.ImageSettings.textCrop": "Uitsnijden", "DE.Views.ImageSettings.textCropFill": "Vulling", "DE.Views.ImageSettings.textCropFit": "Aanpassen", + "DE.Views.ImageSettings.textCropToShape": "Bijsnijden naar vorm", "DE.Views.ImageSettings.textEdit": "Bewerken", "DE.Views.ImageSettings.textEditObject": "Object bewerken", "DE.Views.ImageSettings.textFitMargins": "Aan Marge Aanpassen", @@ -1885,6 +1903,7 @@ "DE.Views.ImageSettings.textHintFlipV": "Verticaal omdraaien", "DE.Views.ImageSettings.textInsert": "Afbeelding vervangen", "DE.Views.ImageSettings.textOriginalSize": "Ware grootte", + "DE.Views.ImageSettings.textRecentlyUsed": "Recent gebruikt", "DE.Views.ImageSettings.textRotate90": "Draaien 90°", "DE.Views.ImageSettings.textRotation": "Draaien", "DE.Views.ImageSettings.textSize": "Grootte", @@ -2155,6 +2174,9 @@ "DE.Views.PageSizeDialog.textTitle": "Paginaformaat", "DE.Views.PageSizeDialog.textWidth": "Breedte", "DE.Views.PageSizeDialog.txtCustom": "Aangepast", + "DE.Views.PageThumbnails.textPageThumbnails": "Pagina pictogrammen", + "DE.Views.PageThumbnails.textThumbnailsSettings": "Pictograminstellingen", + "DE.Views.PageThumbnails.textThumbnailsSize": "Pictogram grootte", "DE.Views.ParagraphSettings.strIndent": "Inspringen", "DE.Views.ParagraphSettings.strIndentsLeftText": "Links", "DE.Views.ParagraphSettings.strIndentsRightText": "Rechts", @@ -2290,6 +2312,7 @@ "DE.Views.ShapeSettings.textPatternFill": "Patroon", "DE.Views.ShapeSettings.textPosition": "Positie", "DE.Views.ShapeSettings.textRadial": "Radiaal", + "DE.Views.ShapeSettings.textRecentlyUsed": "Recent gebruikt", "DE.Views.ShapeSettings.textRotate90": "Draaien 90°", "DE.Views.ShapeSettings.textRotation": "Draaien", "DE.Views.ShapeSettings.textSelectImage": "selecteer afbeelding", @@ -2340,6 +2363,7 @@ "DE.Views.Statusbar.pageIndexText": "Pagina {0} van {1}", "DE.Views.Statusbar.tipFitPage": "Aan pagina aanpassen", "DE.Views.Statusbar.tipFitWidth": "Aan breedte aanpassen", + "DE.Views.Statusbar.tipSelectTool": "Gereedschap selecteren", "DE.Views.Statusbar.tipSetLang": "Taal van tekst instellen", "DE.Views.Statusbar.tipZoomFactor": "Zoomen", "DE.Views.Statusbar.tipZoomIn": "Inzoomen", @@ -2681,6 +2705,7 @@ "DE.Views.Toolbar.textTabLinks": "Verwijzingen", "DE.Views.Toolbar.textTabProtect": "Beveiliging", "DE.Views.Toolbar.textTabReview": "Beoordelen", + "DE.Views.Toolbar.textTabView": "Bekijken", "DE.Views.Toolbar.textTitleError": "Fout", "DE.Views.Toolbar.textToCurrent": "Naar huidige positie", "DE.Views.Toolbar.textTop": "Boven:", @@ -2772,6 +2797,15 @@ "DE.Views.Toolbar.txtScheme7": "Vermogen", "DE.Views.Toolbar.txtScheme8": "Stroom", "DE.Views.Toolbar.txtScheme9": "Gieterij", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Werkbalk altijd weergeven", + "DE.Views.ViewTab.textDarkDocument": "Donker document", + "DE.Views.ViewTab.textFitToPage": "Aan pagina aanpassen", + "DE.Views.ViewTab.textFitToWidth": "Aan breedte aanpassen", + "DE.Views.ViewTab.textInterfaceTheme": "Thema van de interface", + "DE.Views.ViewTab.textNavigation": "Navigatie", + "DE.Views.ViewTab.textRulers": "Linialen", + "DE.Views.ViewTab.textStatusBar": "Statusbalk", + "DE.Views.ViewTab.textZoom": "Inzoomen", "DE.Views.WatermarkSettingsDialog.textAuto": "Automatisch", "DE.Views.WatermarkSettingsDialog.textBold": "Vet", "DE.Views.WatermarkSettingsDialog.textColor": "Tekstkleur", diff --git a/apps/documenteditor/main/locale/pl.json b/apps/documenteditor/main/locale/pl.json index b34c0a933..49c8f9be5 100644 --- a/apps/documenteditor/main/locale/pl.json +++ b/apps/documenteditor/main/locale/pl.json @@ -2772,6 +2772,7 @@ "DE.Views.Toolbar.txtScheme7": "Kapitał", "DE.Views.Toolbar.txtScheme8": "Przepływ", "DE.Views.Toolbar.txtScheme9": "Odlewnia", + "DE.Views.ViewTab.textInterfaceTheme": "Motyw interfejsu", "DE.Views.WatermarkSettingsDialog.textAuto": "Automatyczny", "DE.Views.WatermarkSettingsDialog.textBold": "Pogrubienie", "DE.Views.WatermarkSettingsDialog.textColor": "Kolor tekstu", diff --git a/apps/documenteditor/main/locale/pt.json b/apps/documenteditor/main/locale/pt.json index ae6cec4af..a31fcd768 100644 --- a/apps/documenteditor/main/locale/pt.json +++ b/apps/documenteditor/main/locale/pt.json @@ -54,7 +54,7 @@ "Common.Controllers.ReviewChanges.textOnGlobal": "{0} Rastreamento de alterações habilitado para todos. ", "Common.Controllers.ReviewChanges.textParaDeleted": "Parágrafo apagado", "Common.Controllers.ReviewChanges.textParaFormatted": "Paragraph Formatted", - "Common.Controllers.ReviewChanges.textParaInserted": "Paragraph Inserted", + "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:", @@ -70,9 +70,9 @@ "Common.Controllers.ReviewChanges.textStrikeout": "Taxado", "Common.Controllers.ReviewChanges.textSubScript": "Subscript", "Common.Controllers.ReviewChanges.textSuperScript": "Superscript", - "Common.Controllers.ReviewChanges.textTableChanged": "Configurações de Tabela Alteradas", - "Common.Controllers.ReviewChanges.textTableRowsAdd": "Linhas de Tabela Incluídas", - "Common.Controllers.ReviewChanges.textTableRowsDel": "Linhas de Tabela Excluídas", + "Common.Controllers.ReviewChanges.textTableChanged": "Configurações da Tabela Alteradas", + "Common.Controllers.ReviewChanges.textTableRowsAdd": "Linhas da Tabela Incluídas", + "Common.Controllers.ReviewChanges.textTableRowsDel": "Linhas da Tabela Excluídas", "Common.Controllers.ReviewChanges.textTabs": "Change tabs", "Common.Controllers.ReviewChanges.textTitleComparison": "Configurações de Comparação", "Common.Controllers.ReviewChanges.textUnderline": "Underline", @@ -110,10 +110,10 @@ "Common.define.chartData.textLineStacked": "Alinhado", "Common.define.chartData.textLineStackedMarker": "Linha empilhada com marcadores", "Common.define.chartData.textLineStackedPer": "100% Alinhado", - "Common.define.chartData.textLineStackedPerMarker": "100% Alinhado com", + "Common.define.chartData.textLineStackedPerMarker": "100% Alinhado com marcadores", "Common.define.chartData.textPie": "Gráfico de pizza", "Common.define.chartData.textPie3d": "Pizza 3-D", - "Common.define.chartData.textPoint": "Gráfico de pontos", + "Common.define.chartData.textPoint": "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 retas e marcadores", @@ -213,6 +213,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", @@ -260,7 +261,7 @@ "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 comentários", + "Common.Views.Comments.textViewResolved": "Você não tem permissão para reabrir comentários", "Common.Views.CopyWarningDialog.textDontShow": "Não exibir esta mensagem novamente", "Common.Views.CopyWarningDialog.textMsg": "As ações copiar, cortar e colar usando os botões da barra de ferramentas do editor e as ações de menu de contexto serão realizadas apenas nesta aba do editor.

Para copiar ou colar para ou de aplicativos externos a aba do editor, use as seguintes combinações do teclado:", "Common.Views.CopyWarningDialog.textTitle": "Ações copiar, cortar e colar", @@ -511,6 +512,7 @@ "DE.Controllers.LeftMenu.txtCompatible": "O documento será salvo em novo formato. Isto permitirá usar todos os recursos de editor, mas pode afetar o layout do documento.
Use a opção de 'Compatibilidade' para configurações avançadas se deseja tornar o arquivo compatível com versões antigas do MS Word.", "DE.Controllers.LeftMenu.txtUntitled": "Sem título", "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": "O documento resultante será otimizado para permitir que você edite o texto, portanto, não gráficos exatamente iguais ao original, se o arquivo original contiver muitos gráficos.", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Se você continuar salvando neste formato algumas formatações podem ser perdidas.
Você tem certeza que deseja continuar?", "DE.Controllers.Main.applyChangesTextText": "Carregando as alterações...", "DE.Controllers.Main.applyChangesTitleText": "Carregando as alterações", @@ -916,6 +918,17 @@ "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", @@ -1293,7 +1306,7 @@ "DE.Views.ChartSettings.textWrap": "Estilo da quebra automática", "DE.Views.ChartSettings.txtBehind": "Atrás", "DE.Views.ChartSettings.txtInFront": "Em frente", - "DE.Views.ChartSettings.txtInline": "Embutido", + "DE.Views.ChartSettings.txtInline": "Em linha", "DE.Views.ChartSettings.txtSquare": "Quadrado", "DE.Views.ChartSettings.txtThrough": "Através", "DE.Views.ChartSettings.txtTight": "Justo", @@ -1449,6 +1462,7 @@ "DE.Views.DocumentHolder.strSign": "Assinar", "DE.Views.DocumentHolder.styleText": "Formatar como Estilo", "DE.Views.DocumentHolder.tableText": "Tabela", + "DE.Views.DocumentHolder.textAccept": "Aceitar alteração", "DE.Views.DocumentHolder.textAlign": "Alinhar", "DE.Views.DocumentHolder.textArrange": "Organizar", "DE.Views.DocumentHolder.textArrangeBack": "Enviar para plano de fundo", @@ -1483,6 +1497,7 @@ "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", @@ -1516,6 +1531,14 @@ "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", @@ -1564,7 +1587,7 @@ "DE.Views.DocumentHolder.txtHideVer": "Ocultar linha vertical", "DE.Views.DocumentHolder.txtIncreaseArg": "Aumentar o tamanho do argumento", "DE.Views.DocumentHolder.txtInFront": "Em frente", - "DE.Views.DocumentHolder.txtInline": "Embutido", + "DE.Views.DocumentHolder.txtInline": "Em linha", "DE.Views.DocumentHolder.txtInsertArgAfter": "Inserir argumento após", "DE.Views.DocumentHolder.txtInsertArgBefore": "Inserir argumento antes", "DE.Views.DocumentHolder.txtInsertBreak": "Inserir quebra manual", @@ -1905,7 +1928,7 @@ "DE.Views.ImageSettings.textWrap": "Estilo da quebra automática", "DE.Views.ImageSettings.txtBehind": "Atrás", "DE.Views.ImageSettings.txtInFront": "Em frente", - "DE.Views.ImageSettings.txtInline": "Embutido", + "DE.Views.ImageSettings.txtInline": "Em linha", "DE.Views.ImageSettings.txtSquare": "Quadrado", "DE.Views.ImageSettings.txtThrough": "Através", "DE.Views.ImageSettings.txtTight": "Justo", @@ -1980,7 +2003,7 @@ "DE.Views.ImageSettingsAdvanced.textWrap": "Estilo da quebra automática", "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Atrás", "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Em frente", - "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "Embutido", + "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "Em linha", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Quadrado", "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "Através", "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "Justo", @@ -2013,7 +2036,7 @@ "DE.Views.LineNumbersDialog.txtAutoText": "Auto", "DE.Views.Links.capBtnBookmarks": "Favorito", "DE.Views.Links.capBtnCaption": "Legenda", - "DE.Views.Links.capBtnContentsUpdate": "Atualizar", + "DE.Views.Links.capBtnContentsUpdate": "Atualizar tabela", "DE.Views.Links.capBtnCrossRef": "Referência cruzada", "DE.Views.Links.capBtnInsContents": "Tabela de Conteúdo", "DE.Views.Links.capBtnInsFootnote": "Nota de rodapé", @@ -2081,8 +2104,8 @@ "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.textAll": "Todos os registros", + "DE.Views.MailMergeSettings.textCurrent": "Registro atual", "DE.Views.MailMergeSettings.textDataSource": "Data Source", "DE.Views.MailMergeSettings.textDocx": "Docx", "DE.Views.MailMergeSettings.textDownload": "Baixar", @@ -2102,11 +2125,11 @@ "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.txtFirst": "Para o primeiro registro", "DE.Views.MailMergeSettings.txtFromToError": "O valor \"De\" deve ser menor que o valor \"Para\"", - "DE.Views.MailMergeSettings.txtLast": "To last record", - "DE.Views.MailMergeSettings.txtNext": "To next record", - "DE.Views.MailMergeSettings.txtPrev": "To previous record", + "DE.Views.MailMergeSettings.txtLast": "Para o registro anterior", + "DE.Views.MailMergeSettings.txtNext": "Para o próximo registro", + "DE.Views.MailMergeSettings.txtPrev": "Para o registro anterior", "DE.Views.MailMergeSettings.txtUntitled": "Untitled", "DE.Views.MailMergeSettings.warnProcessMailMerge": "Starting merge failed", "DE.Views.Navigation.txtCollapse": "Recolher tudo", @@ -2329,7 +2352,7 @@ "DE.Views.ShapeSettings.txtGranite": "Granito", "DE.Views.ShapeSettings.txtGreyPaper": "Papel cinza", "DE.Views.ShapeSettings.txtInFront": "Em frente", - "DE.Views.ShapeSettings.txtInline": "Embutido", + "DE.Views.ShapeSettings.txtInline": "Em linha", "DE.Views.ShapeSettings.txtKnit": "Encontro", "DE.Views.ShapeSettings.txtLeather": "Couro", "DE.Views.ShapeSettings.txtNoBorders": "Sem linha", @@ -2359,6 +2382,8 @@ "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": "Zoom", "DE.Views.Statusbar.tipZoomIn": "Ampliar", diff --git a/apps/documenteditor/main/locale/ro.json b/apps/documenteditor/main/locale/ro.json index f7dc86b34..ac257d705 100644 --- a/apps/documenteditor/main/locale/ro.json +++ b/apps/documenteditor/main/locale/ro.json @@ -168,6 +168,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nou", "Common.UI.ExtendedColorDialog.textRGBErr": "Valoarea introdusă nu este corectă.
Introduceți valoarea numerică de la 0 până la 255.", "Common.UI.HSBColorPicker.textNoColor": "Fără culoare", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Ascunde parola", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Afișează parola", "Common.UI.SearchDialog.textHighlight": "Evidențierea rezultatelor", "Common.UI.SearchDialog.textMatchCase": "Sensibil la litere mari și mici", "Common.UI.SearchDialog.textReplaceDef": "Introduceți textul înlocuitor", @@ -211,6 +213,8 @@ "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", "Common.Views.AutoCorrectDialog.textHyphens": "Cratime (--) cu linie de dialog (—)", @@ -236,12 +240,14 @@ "Common.Views.Comments.mniAuthorDesc": "Autor de la Z la A", "Common.Views.Comments.mniDateAsc": "Cele mai vechi", "Common.Views.Comments.mniDateDesc": "Cele mai recente", + "Common.Views.Comments.mniFilterGroups": "Filtrare după grup", "Common.Views.Comments.mniPositionAsc": "De sus", "Common.Views.Comments.mniPositionDesc": "De jos", "Common.Views.Comments.textAdd": "Adaugă", "Common.Views.Comments.textAddComment": "Adaugă comentariu", "Common.Views.Comments.textAddCommentToDoc": "Adăugare comentariu la document", "Common.Views.Comments.textAddReply": "Adăugare răspuns", + "Common.Views.Comments.textAll": "Toate", "Common.Views.Comments.textAnonym": "Invitat", "Common.Views.Comments.textCancel": "Revocare", "Common.Views.Comments.textClose": "Închidere", @@ -255,6 +261,7 @@ "Common.Views.Comments.textResolve": "Rezolvare", "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.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", @@ -273,7 +280,7 @@ "Common.Views.Header.textAddFavorite": "Marcare ca preferat", "Common.Views.Header.textAdvSettings": "Setări avansate", "Common.Views.Header.textBack": "Deschidere locația fișierului", - "Common.Views.Header.textCompactView": "Ascundere bară de instrumente", + "Common.Views.Header.textCompactView": "Ascunde bară de instrumente", "Common.Views.Header.textHideLines": "Ascundere rigle", "Common.Views.Header.textHideStatusBar": "Ascundere bară de stare", "Common.Views.Header.textRemoveFavorite": "Eliminare din Preferințe", @@ -431,6 +438,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Deschidere din nou", "Common.Views.ReviewPopover.textReply": "Răspunde", "Common.Views.ReviewPopover.textResolve": "Rezolvare", + "Common.Views.ReviewPopover.textViewResolved": "Dvs. nu aveți permisiunea de a redeschide comentariu", "Common.Views.ReviewPopover.txtAccept": "Acceptare", "Common.Views.ReviewPopover.txtDeleteTip": "Ștergere", "Common.Views.ReviewPopover.txtEditTip": "Editare", @@ -504,6 +512,7 @@ "DE.Controllers.LeftMenu.txtCompatible": "Documentul va fi slvat în format nou. În acest caz, toate opțiunile editorului vor deveni disponibile, totuși aspectul documentului poate fi afectat.
Folosiți setări avansate și opțiunea de Compatibilitate dacă fișierul trebuie să fie compatibil cu o versiune mai veche MS Word.", "DE.Controllers.LeftMenu.txtUntitled": "Fără titlu", "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.Main.applyChangesTextText": "Încărcarea modificărilor...", "DE.Controllers.Main.applyChangesTitleText": "Încărcare modificări", @@ -602,6 +611,7 @@ "DE.Controllers.Main.textLongName": "Numărul maxim de caractere dintr-un nume este 128 caractere.", "DE.Controllers.Main.textNoLicenseTitle": "Ați atins limita stabilită de licență", "DE.Controllers.Main.textPaidFeature": "Funcția contra plată", + "DE.Controllers.Main.textReconnect": "Conexiunea este restabilită", "DE.Controllers.Main.textRemember": "Salvează setările pentru toate fișiere", "DE.Controllers.Main.textRenameError": "Numele utilizatorului trebuie comletat.", "DE.Controllers.Main.textRenameLabel": "Introduceți numele pentru lucrul în colaborare", @@ -805,11 +815,11 @@ "DE.Controllers.Main.txtShape_star16": "Stea cu 16 colțuri", "DE.Controllers.Main.txtShape_star24": "Stea cu 24 colțuri", "DE.Controllers.Main.txtShape_star32": "Stea cu 32 colțuri", - "DE.Controllers.Main.txtShape_star4": "Stea cu 4 colțuri", - "DE.Controllers.Main.txtShape_star5": "Stea cu 5 colțuri", - "DE.Controllers.Main.txtShape_star6": "Stea cu 6 colțuri", - "DE.Controllers.Main.txtShape_star7": "Stea cu 7 colțuri", - "DE.Controllers.Main.txtShape_star8": "Stea cu 8 colțuri", + "DE.Controllers.Main.txtShape_star4": "Stea în 4 colțuri", + "DE.Controllers.Main.txtShape_star5": "Stea în 5 colțuri", + "DE.Controllers.Main.txtShape_star6": "Stea în 6 colțuri", + "DE.Controllers.Main.txtShape_star7": "Stea în 7 colțuri", + "DE.Controllers.Main.txtShape_star8": "Stea în 8 colțuri", "DE.Controllers.Main.txtShape_stripedRightArrow": "Săgeată dreapta vărgată", "DE.Controllers.Main.txtShape_sun": "Soare", "DE.Controllers.Main.txtShape_teardrop": "Lacrimă", @@ -879,6 +889,7 @@ "DE.Controllers.Main.warnProcessRightsChange": "Accesul la editarea fișierului refuzat.", "DE.Controllers.Navigation.txtBeginning": "Începutul documentului", "DE.Controllers.Navigation.txtGotoBeginning": "Salt la începutul documentului", + "DE.Controllers.Statusbar.textDisconnect": "Conexiunea a fost pierdută
Încercare de conectare. Verificați setările conexiunii.", "DE.Controllers.Statusbar.textHasChanges": "Au fost identificate noile modificări", "DE.Controllers.Statusbar.textSetTrackChanges": "Sunteți în modul Urmărire Modificări", "DE.Controllers.Statusbar.textTrackChanges": "Urmărire modificări a fost activată în documentul deschis", @@ -902,10 +913,22 @@ "DE.Controllers.Toolbar.textMatrix": "Matrice", "DE.Controllers.Toolbar.textOperator": "Operatori", "DE.Controllers.Toolbar.textRadical": "Radicale", + "DE.Controllers.Toolbar.textRecentlyUsed": "Utilizate recent", "DE.Controllers.Toolbar.textScript": "Scripturile", "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 ", @@ -1281,9 +1304,9 @@ "DE.Views.ChartSettings.textUndock": "Detașare de panou", "DE.Views.ChartSettings.textWidth": "Lățime", "DE.Views.ChartSettings.textWrap": "Stil de încadrare", - "DE.Views.ChartSettings.txtBehind": "În urmă", - "DE.Views.ChartSettings.txtInFront": "În prim-plan", - "DE.Views.ChartSettings.txtInline": "În linie", + "DE.Views.ChartSettings.txtBehind": "În spatele textului", + "DE.Views.ChartSettings.txtInFront": "În fața textului", + "DE.Views.ChartSettings.txtInline": "În linie cu textul", "DE.Views.ChartSettings.txtSquare": "Pătrat", "DE.Views.ChartSettings.txtThrough": "Printre", "DE.Views.ChartSettings.txtTight": "Strâns", @@ -1439,6 +1462,7 @@ "DE.Views.DocumentHolder.strSign": "Semnare", "DE.Views.DocumentHolder.styleText": "Formatare cu stil", "DE.Views.DocumentHolder.tableText": "Tabel", + "DE.Views.DocumentHolder.textAccept": "Acceptați această modificare", "DE.Views.DocumentHolder.textAlign": "Aliniere", "DE.Views.DocumentHolder.textArrange": "Aranjare", "DE.Views.DocumentHolder.textArrangeBack": "Trimitere în plan secundar", @@ -1457,6 +1481,7 @@ "DE.Views.DocumentHolder.textDistributeCols": "Distribuire coloane", "DE.Views.DocumentHolder.textDistributeRows": "Distribuire rânduri", "DE.Views.DocumentHolder.textEditControls": "Setări control de conținut", + "DE.Views.DocumentHolder.textEditPoints": "Editare puncte", "DE.Views.DocumentHolder.textEditWrapBoundary": "Editare bordură la text", "DE.Views.DocumentHolder.textFlipH": "Răsturnare orizontală", "DE.Views.DocumentHolder.textFlipV": "Răsturnare verticală", @@ -1472,6 +1497,7 @@ "DE.Views.DocumentHolder.textPaste": "Lipire", "DE.Views.DocumentHolder.textPrevPage": "Pagina anterioară", "DE.Views.DocumentHolder.textRefreshField": "Actualizare câmp", + "DE.Views.DocumentHolder.textReject": "Respingenți această modificare", "DE.Views.DocumentHolder.textRemCheckBox": "Eliminare control casetă de selectare", "DE.Views.DocumentHolder.textRemComboBox": "Eliminare control casetă combo", "DE.Views.DocumentHolder.textRemDropdown": "Eliminare listă verticală", @@ -1505,6 +1531,14 @@ "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", @@ -1516,7 +1550,7 @@ "DE.Views.DocumentHolder.txtAddTop": "Adăugare bordură de sus", "DE.Views.DocumentHolder.txtAddVer": "Adăugare linia verticală", "DE.Views.DocumentHolder.txtAlignToChar": "Aliniere la caracter", - "DE.Views.DocumentHolder.txtBehind": "În urmă", + "DE.Views.DocumentHolder.txtBehind": "În spatele textului", "DE.Views.DocumentHolder.txtBorderProps": "Proprietăți bordura", "DE.Views.DocumentHolder.txtBottom": "Jos", "DE.Views.DocumentHolder.txtColumnAlign": "Alinierea coloanei", @@ -1552,8 +1586,8 @@ "DE.Views.DocumentHolder.txtHideTopLimit": "Ascundere limită superioară", "DE.Views.DocumentHolder.txtHideVer": "Ascundere linie verticală", "DE.Views.DocumentHolder.txtIncreaseArg": "Mărire dimensiune argument", - "DE.Views.DocumentHolder.txtInFront": "În prim-plan", - "DE.Views.DocumentHolder.txtInline": "În linie", + "DE.Views.DocumentHolder.txtInFront": "În fața textului", + "DE.Views.DocumentHolder.txtInline": "În linie cu textul", "DE.Views.DocumentHolder.txtInsertArgAfter": "Inserare argument după", "DE.Views.DocumentHolder.txtInsertArgBefore": "Inserare argument înainte", "DE.Views.DocumentHolder.txtInsertBreak": "Inserare întrerupere manuală", @@ -1871,6 +1905,7 @@ "DE.Views.ImageSettings.textCrop": "Trunchiere", "DE.Views.ImageSettings.textCropFill": "Umplere", "DE.Views.ImageSettings.textCropFit": "Potrivire", + "DE.Views.ImageSettings.textCropToShape": "Trunchiere la formă", "DE.Views.ImageSettings.textEdit": "Editare", "DE.Views.ImageSettings.textEditObject": "Editare obiect", "DE.Views.ImageSettings.textFitMargins": "Portivire la margină", @@ -1885,14 +1920,15 @@ "DE.Views.ImageSettings.textHintFlipV": "Răsturnare verticală", "DE.Views.ImageSettings.textInsert": "Înlocuire imagine", "DE.Views.ImageSettings.textOriginalSize": "Dimensiunea reală", + "DE.Views.ImageSettings.textRecentlyUsed": "Utilizate recent", "DE.Views.ImageSettings.textRotate90": "Rotire 90°", "DE.Views.ImageSettings.textRotation": "Rotație", "DE.Views.ImageSettings.textSize": "Dimensiune", "DE.Views.ImageSettings.textWidth": "Lățime", "DE.Views.ImageSettings.textWrap": "Stil de încadrare", - "DE.Views.ImageSettings.txtBehind": "În urmă", - "DE.Views.ImageSettings.txtInFront": "În prim-plan", - "DE.Views.ImageSettings.txtInline": "În linie", + "DE.Views.ImageSettings.txtBehind": "În spatele textului", + "DE.Views.ImageSettings.txtInFront": "În fața textului", + "DE.Views.ImageSettings.txtInline": "În linie cu textul", "DE.Views.ImageSettings.txtSquare": "Pătrat", "DE.Views.ImageSettings.txtThrough": "Printre", "DE.Views.ImageSettings.txtTight": "Strâns", @@ -1965,9 +2001,9 @@ "DE.Views.ImageSettingsAdvanced.textWeightArrows": "Stil linie și setări săgeată", "DE.Views.ImageSettingsAdvanced.textWidth": "Lățime", "DE.Views.ImageSettingsAdvanced.textWrap": "Stil de încadrare", - "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "În urmă", - "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "În prim-plan", - "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "În linie", + "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "În spatele textului", + "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "În fața textului", + "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "În linie cu textul", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Pătrat", "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "Printre", "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "Strâns", @@ -2000,7 +2036,7 @@ "DE.Views.LineNumbersDialog.txtAutoText": "Auto", "DE.Views.Links.capBtnBookmarks": "Marcaj", "DE.Views.Links.capBtnCaption": "Legenda", - "DE.Views.Links.capBtnContentsUpdate": "Actualizare", + "DE.Views.Links.capBtnContentsUpdate": "Actualizare tabel", "DE.Views.Links.capBtnCrossRef": "Referință încrucișată", "DE.Views.Links.capBtnInsContents": "Cuprins", "DE.Views.Links.capBtnInsFootnote": "Notă de subsol", @@ -2155,6 +2191,11 @@ "DE.Views.PageSizeDialog.textTitle": "Dimensiune pagină", "DE.Views.PageSizeDialog.textWidth": "Lățime", "DE.Views.PageSizeDialog.txtCustom": "Particularizat", + "DE.Views.PageThumbnails.textClosePanel": "Închide miniaturi de pagini", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "Evidențiază partea vizibilă a paginii", + "DE.Views.PageThumbnails.textPageThumbnails": "Miniaturi Pagini", + "DE.Views.PageThumbnails.textThumbnailsSettings": "Setări miniaturi", + "DE.Views.PageThumbnails.textThumbnailsSize": "Dimensiunea miniaturilor", "DE.Views.ParagraphSettings.strIndent": "Indentări", "DE.Views.ParagraphSettings.strIndentsLeftText": "Stânga", "DE.Views.ParagraphSettings.strIndentsRightText": "Dreapta", @@ -2290,6 +2331,7 @@ "DE.Views.ShapeSettings.textPatternFill": "Model", "DE.Views.ShapeSettings.textPosition": "Poziție", "DE.Views.ShapeSettings.textRadial": "Radială", + "DE.Views.ShapeSettings.textRecentlyUsed": "Utilizate recent", "DE.Views.ShapeSettings.textRotate90": "Rotire 90°", "DE.Views.ShapeSettings.textRotation": "Rotație", "DE.Views.ShapeSettings.textSelectImage": "Selectați imaginea", @@ -2301,7 +2343,7 @@ "DE.Views.ShapeSettings.textWrap": "Stil de încadrare", "DE.Views.ShapeSettings.tipAddGradientPoint": "Adăugare stop gradient", "DE.Views.ShapeSettings.tipRemoveGradientPoint": "Eliminare stop gradient", - "DE.Views.ShapeSettings.txtBehind": "În urmă", + "DE.Views.ShapeSettings.txtBehind": "În spatele textului", "DE.Views.ShapeSettings.txtBrownPaper": "Hârtie reciclată", "DE.Views.ShapeSettings.txtCanvas": "Pânză", "DE.Views.ShapeSettings.txtCarton": "Carton", @@ -2309,8 +2351,8 @@ "DE.Views.ShapeSettings.txtGrain": "Nisip", "DE.Views.ShapeSettings.txtGranite": "Granit", "DE.Views.ShapeSettings.txtGreyPaper": "Hârtie de ziar", - "DE.Views.ShapeSettings.txtInFront": "În prim-plan", - "DE.Views.ShapeSettings.txtInline": "În linie", + "DE.Views.ShapeSettings.txtInFront": "În fața textului", + "DE.Views.ShapeSettings.txtInline": "În linie cu textul", "DE.Views.ShapeSettings.txtKnit": "Dril", "DE.Views.ShapeSettings.txtLeather": "Piele", "DE.Views.ShapeSettings.txtNoBorders": "Fără linie", @@ -2340,6 +2382,8 @@ "DE.Views.Statusbar.pageIndexText": "Page {0} din {1}", "DE.Views.Statusbar.tipFitPage": "Portivire la pagina", "DE.Views.Statusbar.tipFitWidth": "Potrivire lățime", + "DE.Views.Statusbar.tipHandTool": "Instrumentul Mână", + "DE.Views.Statusbar.tipSelectTool": "Instrumentul Selectare", "DE.Views.Statusbar.tipSetLang": "Setare limba text", "DE.Views.Statusbar.tipZoomFactor": "Zoom", "DE.Views.Statusbar.tipZoomIn": "Mărire", @@ -2570,7 +2614,7 @@ "DE.Views.Toolbar.capBtnInsControls": "Control de conținut", "DE.Views.Toolbar.capBtnInsDropcap": "Majusculă încorporată", "DE.Views.Toolbar.capBtnInsEquation": "Ecuație", - "DE.Views.Toolbar.capBtnInsHeader": "Antet/Subsol", + "DE.Views.Toolbar.capBtnInsHeader": "Antet și subsol", "DE.Views.Toolbar.capBtnInsImage": "Imagine", "DE.Views.Toolbar.capBtnInsPagebreak": "Întreruperi", "DE.Views.Toolbar.capBtnInsShape": "Forma", @@ -2681,6 +2725,7 @@ "DE.Views.Toolbar.textTabLinks": "Referințe", "DE.Views.Toolbar.textTabProtect": "Protejare", "DE.Views.Toolbar.textTabReview": "Revizuire", + "DE.Views.Toolbar.textTabView": "Vizualizare", "DE.Views.Toolbar.textTitleError": "Eroare", "DE.Views.Toolbar.textToCurrent": "Poziția curentă", "DE.Views.Toolbar.textTop": "Sus:", @@ -2772,6 +2817,15 @@ "DE.Views.Toolbar.txtScheme7": "Echilibru", "DE.Views.Toolbar.txtScheme8": "Flux", "DE.Views.Toolbar.txtScheme9": "Forjă", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Afișează bară de instrumente permanent", + "DE.Views.ViewTab.textDarkDocument": "Document întunecat", + "DE.Views.ViewTab.textFitToPage": "Portivire la pagina", + "DE.Views.ViewTab.textFitToWidth": "Potrivire lățime", + "DE.Views.ViewTab.textInterfaceTheme": "Tema interfeței", + "DE.Views.ViewTab.textNavigation": "Navigare", + "DE.Views.ViewTab.textRulers": "Rigle", + "DE.Views.ViewTab.textStatusBar": "Bară de stare", + "DE.Views.ViewTab.textZoom": "Zoom", "DE.Views.WatermarkSettingsDialog.textAuto": "Auto", "DE.Views.WatermarkSettingsDialog.textBold": "Aldin", "DE.Views.WatermarkSettingsDialog.textColor": "Culoare text", diff --git a/apps/documenteditor/main/locale/ru.json b/apps/documenteditor/main/locale/ru.json index 9f137c45f..4ac9eb04b 100644 --- a/apps/documenteditor/main/locale/ru.json +++ b/apps/documenteditor/main/locale/ru.json @@ -169,6 +169,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": "Введите текст для замены", @@ -212,6 +214,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": "Дефисы (--) на тире (—)", @@ -237,12 +241,14 @@ "Common.Views.Comments.mniAuthorDesc": "По автору от Я до А", "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": "Закрыть", @@ -256,6 +262,7 @@ "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": "Операции копирования, вырезания и вставки", @@ -432,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": "Редактировать", @@ -505,6 +513,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": "Загрузка изменений", @@ -603,6 +612,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": "Введите имя, которое будет использоваться для совместной работы", @@ -880,7 +890,7 @@ "DE.Controllers.Main.warnProcessRightsChange": "Вам было отказано в праве на редактирование этого файла.", "DE.Controllers.Navigation.txtBeginning": "Начало документа", "DE.Controllers.Navigation.txtGotoBeginning": "Перейти в начало документа", - "DE.Controllers.Statusbar.textDisconnect": "Соединение потеряно
Пытаемся восстановить соединение. Проверьте параметры подключения.", + "DE.Controllers.Statusbar.textDisconnect": "Соединение потеряно
Попытка подключения. Проверьте настройки подключения.", "DE.Controllers.Statusbar.textHasChanges": "Отслежены новые изменения", "DE.Controllers.Statusbar.textSetTrackChanges": "Вы находитесь в режиме отслеживания изменений", "DE.Controllers.Statusbar.textTrackChanges": "Документ открыт при включенном режиме отслеживания изменений", @@ -904,10 +914,22 @@ "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.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": "Стрелка влево сверху", @@ -1441,6 +1463,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": "Перенести на задний план", @@ -1459,6 +1482,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": "Отразить сверху вниз", @@ -1474,6 +1498,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": "Удалить выпадающий список", @@ -1507,6 +1532,14 @@ "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": "Добавить дробную черту", @@ -1873,6 +1906,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": "Вписать", @@ -1887,6 +1921,7 @@ "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": "Размер", @@ -2002,7 +2037,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": "Сноска", @@ -2157,6 +2192,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": "Справа", @@ -2292,6 +2332,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": "Выбрать изображение", @@ -2342,6 +2383,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": "Увеличить", @@ -2683,6 +2726,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": "Верхнее: ", @@ -2774,6 +2818,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/sk.json b/apps/documenteditor/main/locale/sk.json index e53bcd1e4..08b4085da 100644 --- a/apps/documenteditor/main/locale/sk.json +++ b/apps/documenteditor/main/locale/sk.json @@ -108,6 +108,7 @@ "Common.define.chartData.textStock": "Akcie/burzový graf", "Common.define.chartData.textSurface": "Povrch", "Common.Translation.warnFileLockedBtnEdit": "Vytvoriť kópiu", + "Common.UI.ButtonColored.textAutoColor": "Automaticky", "Common.UI.Calendar.textApril": "apríl", "Common.UI.Calendar.textAugust": "august", "Common.UI.Calendar.textDecember": "december", @@ -163,6 +164,7 @@ "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.txtThemeDark": "Tmavý", "Common.UI.Window.cancelButtonText": "Zrušiť", "Common.UI.Window.closeButtonText": "Zatvoriť", "Common.UI.Window.noButtonText": "Nie", @@ -1590,6 +1592,7 @@ "DE.Views.FormSettings.textDelete": "Odstrániť", "DE.Views.FormSettings.textDisconnect": "Odpojiť", "DE.Views.FormSettings.textDropDown": "Rozbaľovacia ponuka", + "DE.Views.FormSettings.textField": "Textové pole", "DE.Views.FormSettings.textFromFile": "Zo súboru", "DE.Views.FormSettings.textFromStorage": "Z úložiska", "DE.Views.FormSettings.textFromUrl": "Z URL adresy ", @@ -1597,6 +1600,7 @@ "DE.Views.FormSettings.textImage": "Obrázok", "DE.Views.FormSettings.textKey": "Kľúč", "DE.Views.FormSettings.textMaxChars": "Limit znakov", + "DE.Views.FormSettings.textRadiobox": "Prepínač", "DE.Views.FormSettings.textTipAdd": "Pridať novú hodnotu", "DE.Views.FormSettings.textTipDelete": "Vymazať hodnotu", "DE.Views.FormSettings.textWidth": "Šírka bunky", @@ -1604,9 +1608,11 @@ "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.textClear": "Vyčistiť políčka", "DE.Views.FormsTab.textClearFields": "Vyčistiť všetky polia", "DE.Views.FormsTab.textHighlight": "Nastavenia zvýraznenia", + "DE.Views.FormsTab.textNoHighlight": "Bez zvýraznenia", "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", diff --git a/apps/documenteditor/main/locale/sl.json b/apps/documenteditor/main/locale/sl.json index bc1f97aa5..a46bdedca 100644 --- a/apps/documenteditor/main/locale/sl.json +++ b/apps/documenteditor/main/locale/sl.json @@ -20,7 +20,7 @@ "Common.Controllers.ReviewChanges.textChar": "Raven znakov", "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.textContextual": "Med odstavke enakega sloga ne dodaj intervalov", "Common.Controllers.ReviewChanges.textDeleted": "Deleted:", "Common.Controllers.ReviewChanges.textDStrikeout": "Double strikeout", "Common.Controllers.ReviewChanges.textEquation": "Equation", @@ -38,10 +38,10 @@ "Common.Controllers.ReviewChanges.textKeepLines": "Obdrži vrstice skupaj", "Common.Controllers.ReviewChanges.textKeepNext": "Keep with next", "Common.Controllers.ReviewChanges.textLeft": "Align left", - "Common.Controllers.ReviewChanges.textLineSpacing": "Line Spacing: ", + "Common.Controllers.ReviewChanges.textLineSpacing": "Razmik med vrsticami: ", "Common.Controllers.ReviewChanges.textMultiple": "multiple", "Common.Controllers.ReviewChanges.textNoBreakBefore": "Brez preloma strani spredaj", - "Common.Controllers.ReviewChanges.textNoContextual": "Add interval between paragraphs of the same style", + "Common.Controllers.ReviewChanges.textNoContextual": "Dodajte interval med odstavki istega sloga", "Common.Controllers.ReviewChanges.textNoKeepLines": "Ne ohranjaj vrstic skupaj", "Common.Controllers.ReviewChanges.textNoKeepNext": "Don't keep with next", "Common.Controllers.ReviewChanges.textNot": "Not ", @@ -99,6 +99,7 @@ "Common.define.chartData.textPoint": "Točkovni grafikon", "Common.define.chartData.textStock": "Založni grafikon", "Common.Translation.warnFileLockedBtnEdit": "Ustvari kopijo", + "Common.UI.ButtonColored.textAutoColor": "Avtomatsko", "Common.UI.Calendar.textApril": "April", "Common.UI.Calendar.textAugust": "Avgust", "Common.UI.Calendar.textDecember": "December", @@ -141,6 +142,8 @@ "Common.UI.SearchDialog.txtBtnReplaceAll": "Zamenjaj vse", "Common.UI.SynchronizeTip.textDontShow": "Tega sporočila ne prikaži več", "Common.UI.SynchronizeTip.textSynchronize": "Dokument je spremenil drug uporabnik.
Prosim pritisnite za shranjevanje svojih sprememb in osvežitev posodobitev.", + "Common.UI.ThemeColorPalette.textStandartColors": "Standardne barve", + "Common.UI.ThemeColorPalette.textThemeColors": "Barve teme", "Common.UI.Window.cancelButtonText": "Prekliči", "Common.UI.Window.closeButtonText": "Zapri", "Common.UI.Window.noButtonText": "Ne", @@ -1242,10 +1245,13 @@ "DE.Views.FormSettings.textColor": "Barva obrobe", "DE.Views.FormSettings.textDelete": "Izbriši", "DE.Views.FormSettings.textFromUrl": "z URL naslova", + "DE.Views.FormSettings.textImage": "Slika", "DE.Views.FormSettings.textTipAdd": "Dodaj novo vrednost", "DE.Views.FormSettings.textWidth": "Širina celice", "DE.Views.FormsTab.capBtnCheckBox": "Potrditveno polje", + "DE.Views.FormsTab.capBtnNext": "Naslednje polje", "DE.Views.FormsTab.textClearFields": "Počisti vsa polja", + "DE.Views.FormsTab.tipImageField": "Vstavi sliko", "DE.Views.HeaderFooterSettings.textBottomCenter": "Središče dna", "DE.Views.HeaderFooterSettings.textBottomLeft": "Spodaj levo", "DE.Views.HeaderFooterSettings.textBottomPage": "Konec strani", @@ -1493,9 +1499,11 @@ "DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Dvojno prečrtanje", "DE.Views.ParagraphSettingsAdvanced.strIndent": "Zamiki", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Levo", + "DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Razmik med vrsticami", "DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Desno", "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "po", "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Pred", + "DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Poseben", "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Obdrži vrstice skupaj", "DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Ohrani z naslednjim", "DE.Views.ParagraphSettingsAdvanced.strMargins": "Blazinice", @@ -1505,6 +1513,8 @@ "DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "Prelomi vrstic & strani", "DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Postavitev", "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "mali pokrovčki", + "DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "Med odstavke enakega sloga ne dodaj intervalov", + "DE.Views.ParagraphSettingsAdvanced.strSpacing": "Razmik", "DE.Views.ParagraphSettingsAdvanced.strStrike": "Prečrtano", "DE.Views.ParagraphSettingsAdvanced.strSubscript": "Pripis", "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Nadpis", @@ -1522,6 +1532,7 @@ "DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Razmak znaka", "DE.Views.ParagraphSettingsAdvanced.textDefault": "Prevzeti zavihek", "DE.Views.ParagraphSettingsAdvanced.textEffects": "Učinki", + "DE.Views.ParagraphSettingsAdvanced.textExact": "Točno", "DE.Views.ParagraphSettingsAdvanced.textFirstLine": "Prva vrstica", "DE.Views.ParagraphSettingsAdvanced.textJustified": "Upravičena", "DE.Views.ParagraphSettingsAdvanced.textLeft": "Levo", diff --git a/apps/documenteditor/main/locale/sv.json b/apps/documenteditor/main/locale/sv.json index d241f3d0f..95e4c597e 100644 --- a/apps/documenteditor/main/locale/sv.json +++ b/apps/documenteditor/main/locale/sv.json @@ -35,7 +35,7 @@ "Common.Controllers.ReviewChanges.textIndentRight": "Indrag höger", "Common.Controllers.ReviewChanges.textInserted": "Infogad:", "Common.Controllers.ReviewChanges.textItalic": "Kursiv", - "Common.Controllers.ReviewChanges.textJustify": "Justera", + "Common.Controllers.ReviewChanges.textJustify": "Justera är motiverat", "Common.Controllers.ReviewChanges.textKeepLines": "Håll ihop rader", "Common.Controllers.ReviewChanges.textKeepNext": "Behåll med nästa", "Common.Controllers.ReviewChanges.textLeft": "Vänsterjustera", @@ -124,6 +124,8 @@ "Common.Translation.warnFileLocked": "Du kan inte redigera den här filen eftersom den redigeras i en annan app.", "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.Calendar.textApril": "April", "Common.UI.Calendar.textAugust": "Augusti", "Common.UI.Calendar.textDecember": "December", @@ -166,6 +168,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Ny", "Common.UI.ExtendedColorDialog.textRGBErr": "Det angivna värdet är inkorrekt.
Vänligen ange ett numeriskt värde mellan 0 och 255", "Common.UI.HSBColorPicker.textNoColor": "Ingen färg", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Dölj lösenord", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Visa lösenord", "Common.UI.SearchDialog.textHighlight": "Markera resultat", "Common.UI.SearchDialog.textMatchCase": "Skiftkänslig", "Common.UI.SearchDialog.textReplaceDef": "Skriv in ersättningstext", @@ -204,12 +208,14 @@ "Common.Views.About.txtVersion": "Version", "Common.Views.AutoCorrectDialog.textAdd": "Lägg till", "Common.Views.AutoCorrectDialog.textApplyText": "Korrigera när du skriver", - "Common.Views.AutoCorrectDialog.textAutoCorrect": "Autokorrigering", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Autokorrigering av text", "Common.Views.AutoCorrectDialog.textAutoFormat": "Autoformat när du skriver", "Common.Views.AutoCorrectDialog.textBulleted": "Automatiska punktlistor", "Common.Views.AutoCorrectDialog.textBy": "Av", "Common.Views.AutoCorrectDialog.textDelete": "Radera", + "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", "Common.Views.AutoCorrectDialog.textHyphens": "Bindestreck (--) med streck (—)", "Common.Views.AutoCorrectDialog.textMathCorrect": "Matematisk autokorrigering", "Common.Views.AutoCorrectDialog.textNumbered": "Automatiska nummerlistor", @@ -229,13 +235,22 @@ "Common.Views.AutoCorrectDialog.warnReset": "All autokorrigering som du lagt till kommer att tas bort och ändringar kommer att återställas till sina ursprungliga värden. Vill du fortsätta?", "Common.Views.AutoCorrectDialog.warnRestore": "Autokorrigeringen för %1 återställs till sitt ursprungliga värde. Vill du fortsätta?", "Common.Views.Chat.textSend": "Skicka", + "Common.Views.Comments.mniAuthorAsc": "Författare A till Ö", + "Common.Views.Comments.mniAuthorDesc": "Författare Ö till A", + "Common.Views.Comments.mniDateAsc": "Äldsta", + "Common.Views.Comments.mniDateDesc": "Nyaste", + "Common.Views.Comments.mniFilterGroups": "Filtrera via grupp", + "Common.Views.Comments.mniPositionAsc": "Från ovankant", + "Common.Views.Comments.mniPositionDesc": "Från nederkanten", "Common.Views.Comments.textAdd": "Lägg till", "Common.Views.Comments.textAddComment": "Lägg till kommentar", "Common.Views.Comments.textAddCommentToDoc": "Lägg till kommentar till dokumentet", "Common.Views.Comments.textAddReply": "Svara", + "Common.Views.Comments.textAll": "Alla", "Common.Views.Comments.textAnonym": "Gäst", "Common.Views.Comments.textCancel": "Avbryt", "Common.Views.Comments.textClose": "Stäng", + "Common.Views.Comments.textClosePanel": "Stäng kommentarer", "Common.Views.Comments.textComments": "Kommentarer", "Common.Views.Comments.textEdit": "Redigera", "Common.Views.Comments.textEnterCommentHint": "Skriv din kommentar här", @@ -244,6 +259,8 @@ "Common.Views.Comments.textReply": "Svara", "Common.Views.Comments.textResolve": "Lös", "Common.Views.Comments.textResolved": "Löst", + "Common.Views.Comments.textSort": "Sortera kommentarer", + "Common.Views.Comments.textViewResolved": "Du har inte behörighet att öppna kommentaren igen", "Common.Views.CopyWarningDialog.textDontShow": "Visa inte detta meddelande igen", "Common.Views.CopyWarningDialog.textMsg": "Kopiera, klipp ut och klistra åtgärder med hjälp av redaktör knapparna i verktygsfältet och snabbmeny åtgärder som ska utföras inom denna flik redaktör bara
vill kopiera eller klistra in eller från applikationer utanför fliken redaktör använda följande kortkommandon.:", "Common.Views.CopyWarningDialog.textTitle": "Kopiera, klipp ut och klistra in åtgärder", @@ -258,10 +275,10 @@ "Common.Views.ExternalMergeEditor.textClose": "Stäng", "Common.Views.ExternalMergeEditor.textSave": "Spara & avsluta", "Common.Views.ExternalMergeEditor.textTitle": "Slå ihop mottagare", - "Common.Views.Header.labelCoUsersDescr": "Dokumentet redigeras för närvarande av flera användare.", + "Common.Views.Header.labelCoUsersDescr": "Användare som redigera filen:", "Common.Views.Header.textAddFavorite": "Markera som favorit", "Common.Views.Header.textAdvSettings": "Avancerade inställningar", - "Common.Views.Header.textBack": "Gå till dokument", + "Common.Views.Header.textBack": "Öppna filens plats", "Common.Views.Header.textCompactView": "Dölj verktygsrad", "Common.Views.Header.textHideLines": "Dölj linjaler", "Common.Views.Header.textHideStatusBar": "Dölj statusrad", @@ -380,7 +397,9 @@ "Common.Views.ReviewChanges.txtFinalCap": "Slutlig", "Common.Views.ReviewChanges.txtHistory": "Versionshistorik", "Common.Views.ReviewChanges.txtMarkup": "Alla ändringar {0}", - "Common.Views.ReviewChanges.txtMarkupCap": "Markering", + "Common.Views.ReviewChanges.txtMarkupCap": "Markeringar och pratbubblor", + "Common.Views.ReviewChanges.txtMarkupSimple": "Alla ändringar {0}
Inga ballonger", + "Common.Views.ReviewChanges.txtMarkupSimpleCap": "Endast uppmärkning", "Common.Views.ReviewChanges.txtNext": "Nästa", "Common.Views.ReviewChanges.txtOff": "OFF för mig", "Common.Views.ReviewChanges.txtOffGlobal": "OFF för mig och alla", @@ -418,6 +437,11 @@ "Common.Views.ReviewPopover.textOpenAgain": "Öppna igen", "Common.Views.ReviewPopover.textReply": "Svara", "Common.Views.ReviewPopover.textResolve": "Lös", + "Common.Views.ReviewPopover.textViewResolved": "Du har inte behörighet att öppna kommentaren igen", + "Common.Views.ReviewPopover.txtAccept": "Godkänn", + "Common.Views.ReviewPopover.txtDeleteTip": "Radera", + "Common.Views.ReviewPopover.txtEditTip": "Redigera", + "Common.Views.ReviewPopover.txtReject": "Avvisa", "Common.Views.SaveAsDlg.textLoading": "Laddar", "Common.Views.SaveAsDlg.textTitle": "Mapp för att spara", "Common.Views.SelectFileDlg.textLoading": "Laddar", @@ -512,12 +536,13 @@ "DE.Controllers.Main.errorEditingDownloadas": "Ett fel har inträffat.
Använd \"Ladda ned som...\" för att spara en säkerhetskopia på din dator.", "DE.Controllers.Main.errorEditingSaveas": "Ett fel har inträffat.
Använd \"Ladda ned som...\" för att spara en säkerhetskopia på din dator.", "DE.Controllers.Main.errorEmailClient": "Ingen e-postklient kunde hittas.", - "DE.Controllers.Main.errorFilePassProtect": "Dokumentet är lösenordsskyddat och kunde inte öppnas. ", + "DE.Controllers.Main.errorFilePassProtect": "Filen är lösenordsskyddad och kan inte öppnas. ", "DE.Controllers.Main.errorFileSizeExceed": "Filstorleken överskrider gränsen för din server.
Var snäll och kontakta administratören för dokumentservern för mer information.", "DE.Controllers.Main.errorForceSave": "Ett fel uppstod när filen sparades. Använd alternativet \"Spara som\" för att spara filen till din lokala hårddisk eller försök igen senare.", "DE.Controllers.Main.errorKeyEncrypt": "Okänd nyckelbeskrivare", "DE.Controllers.Main.errorKeyExpire": "Nyckelns beskrivning har utgått", - "DE.Controllers.Main.errorMailMergeLoadFile": "Misslyckades att ladda", + "DE.Controllers.Main.errorLoadingFont": "Typsnittet är inte tillgängligt.
Vänligen kontakta dokumentserverns administratör.", + "DE.Controllers.Main.errorMailMergeLoadFile": "Misslyckades med att läsa in dokumentet. Vänligen välj en annan fil.", "DE.Controllers.Main.errorMailMergeSaveFile": "Ihopslagning misslyckades.", "DE.Controllers.Main.errorProcessSaveResult": "Sparar felaktig.", "DE.Controllers.Main.errorServerVersion": "Textredigerarens version har uppdaterats. Sidan kommer att laddas om för att verkställa ändringarna.", @@ -533,7 +558,7 @@ "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "Internetanslutningen har återställts och filversionen har ändrats.
Innan du fortsätter arbeta, ladda ner filen eller kopiera innehållet för att försäkra dig om att inte förlora något, ladda sedan om denna sida.", "DE.Controllers.Main.errorUserDrop": "Filen kan inte nås för tillfället. ", "DE.Controllers.Main.errorUsersExceed": "Antalet användare som tillåts av licensen överskreds", - "DE.Controllers.Main.errorViewerDisconnect": "Anslutningen bryts. Du kan fortfarande se dokumentet
men kommer inte att kunna ladda ner eller skriva ut tills anslutningen är återställd.", + "DE.Controllers.Main.errorViewerDisconnect": "Anslutningen avbröts. Du kan fortfarande se dokumentet men du kommer inte att kunna ladda ner eller skriva ut det innan anslutningen är återställd och sidan har laddats om.", "DE.Controllers.Main.leavePageText": "Du har osparade ändringar i det här dokumentet. Klicka på \"Stanna på den här sidan\", sedan \"Spara\" för att spara dem. Klicka på \"Lämna den här sidan\" för att förkasta alla osparade ändringar.", "DE.Controllers.Main.leavePageTextOnClose": "Alla ändringar som inte sparats i detta dokument kommer att gå förlorade.
Klicka på \"Avbryt\" och sedan \"Spara\" för att spara dem. Klicka på \"OK\" för att kasta alla ändringar som inte sparats.", "DE.Controllers.Main.loadFontsTextText": "Laddar data...", @@ -549,7 +574,7 @@ "DE.Controllers.Main.mailMergeLoadFileText": "Laddar från datakälla...", "DE.Controllers.Main.mailMergeLoadFileTitle": "Laddar från datakälla", "DE.Controllers.Main.notcriticalErrorTitle": "Varning", - "DE.Controllers.Main.openErrorText": "Ett fel uppstod när filen skulle öppnas", + "DE.Controllers.Main.openErrorText": "Ett fel uppstod när filen öppnades.", "DE.Controllers.Main.openTextText": "Öppnar dokument...", "DE.Controllers.Main.openTitleText": "Öppna dokument", "DE.Controllers.Main.printTextText": "Skriver ut dokumentet...", @@ -557,7 +582,7 @@ "DE.Controllers.Main.reloadButtonText": "Ladda om sidan", "DE.Controllers.Main.requestEditFailedMessageText": "Någon annan redigerar detta dokument just nu. Försök igen senare.", "DE.Controllers.Main.requestEditFailedTitleText": "Ingen behörighet", - "DE.Controllers.Main.saveErrorText": "Ett fel uppstod när filen skulle sparas", + "DE.Controllers.Main.saveErrorText": "Ett fel uppstod när filen sparades.", "DE.Controllers.Main.saveErrorTextDesktop": "Den här filen kan inte sparas eller skapas.
Möjliga orsaker är:
1. Filen är skrivskyddad.
2. Filen redigeras av andra användare.
3. Disken är full eller skadad.", "DE.Controllers.Main.saveTextText": "Sparar dokument...", "DE.Controllers.Main.saveTitleText": "Sparar dokument", @@ -576,13 +601,15 @@ "DE.Controllers.Main.textContactUs": "Kontakta säljare", "DE.Controllers.Main.textConvertEquation": "Denna ekvation skapades med en gammal version av ekvationsredigeraren som inte längre stöds. Om du vill redigera den konverterar du ekvationen till Office Math ML-format.
Konvertera nu?", "DE.Controllers.Main.textCustomLoader": "Observera att enligt licensvillkoren har du inte rätt att byta laddaren.
Kontakta vår försäljningsavdelning för att få en offert.", + "DE.Controllers.Main.textDisconnect": "Anslutningen förlorades", "DE.Controllers.Main.textGuest": "Gäst", "DE.Controllers.Main.textHasMacros": "Filen innehåller automatiska makron.
Vill du köra makron?", "DE.Controllers.Main.textLearnMore": "Lär dig mer", "DE.Controllers.Main.textLoadingDocument": "Laddar dokument", "DE.Controllers.Main.textLongName": "Ange namn (max 128 tecken).", - "DE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE anslutningsbegränsning", + "DE.Controllers.Main.textNoLicenseTitle": "Licensens gräns är nådd", "DE.Controllers.Main.textPaidFeature": "Betald funktion", + "DE.Controllers.Main.textReconnect": "Anslutningen återställdes", "DE.Controllers.Main.textRemember": "Kom ihåg mitt val för alla filer", "DE.Controllers.Main.textRenameError": "Användarnamn får inte var tomt.", "DE.Controllers.Main.textRenameLabel": "Ange namn för samarbete", @@ -624,7 +651,7 @@ "DE.Controllers.Main.txtMissOperator": "Saknad operator", "DE.Controllers.Main.txtNeedSynchronize": "Du har uppdateringar", "DE.Controllers.Main.txtNone": "ingen", - "DE.Controllers.Main.txtNoTableOfContents": "Inga innehållsförteckningar hittades.", + "DE.Controllers.Main.txtNoTableOfContents": "Det finns inga rubriker i dokumentet. Tillämpa en rubrikstil på texten så att den visas i innehållsförteckningen.", "DE.Controllers.Main.txtNoTableOfFigures": "Ingen tabell med siffror hittades.", "DE.Controllers.Main.txtNoText": "Fel! Ingen text med angiven stil i dokumentet.", "DE.Controllers.Main.txtNotInTable": "Är inte i tabellen", @@ -844,32 +871,35 @@ "DE.Controllers.Main.uploadDocSizeMessage": "Maximal gräns för dokumentstorlek har överskridits.", "DE.Controllers.Main.uploadImageExtMessage": "Okänt bildformat.", "DE.Controllers.Main.uploadImageFileCountMessage": "Inga bilder laddades upp.", - "DE.Controllers.Main.uploadImageSizeMessage": "Bilden är för stor", + "DE.Controllers.Main.uploadImageSizeMessage": "Bilden är för stor. Den maximala storleken är 25 MB.", "DE.Controllers.Main.uploadImageTextText": "Laddar upp bild...", "DE.Controllers.Main.uploadImageTitleText": "Laddar upp bild", "DE.Controllers.Main.waitText": "Vänta...", "DE.Controllers.Main.warnBrowserIE9": "Fungerar dåligt med Internet Explorer 9. Använd version 10 eller högre.", "DE.Controllers.Main.warnBrowserZoom": "Din webbläsares nuvarande zoominställningar stöds inte fullt ut. Återställ till standard zoom genom att trycka på Ctrl + 0.", - "DE.Controllers.Main.warnLicenseExceeded": "Antalet samtidiga anslutningar till dokumentservern har överskridits och dokumentet öppnas endast för visning.
Vänligen kontakta din systemadministratör för mer information.", + "DE.Controllers.Main.warnLicenseExceeded": "Gränsen är nådd för antalet %1 samtidiga anslutna redigerare. Dokumentet öppnas som skrivskyddat.
Kontakta administratören för mer information.", "DE.Controllers.Main.warnLicenseExp": "Din licens har gått ut.
Förnya din licens och uppdatera sidan.", "DE.Controllers.Main.warnLicenseLimitedNoAccess": "Licensen ogiltig.
Ingen access till redigeringsfunktioner.
Kontakta din administratör.", "DE.Controllers.Main.warnLicenseLimitedRenewed": "Licensen måste förnyas.
Endast begränsad funktionalitet.
Kontakta din administratör för full funktionalitet.", - "DE.Controllers.Main.warnLicenseUsersExceeded": "Antalet samtidiga användare har överskridits och dokumentet öppnas endast för visning.
Vänligen kontakta din systemadministratör för mer information.", - "DE.Controllers.Main.warnNoLicense": "Den här versionen av %1 har vissa begränsningar för samtidiga anslutningar till dokumentservern.
Om du behöver mer, överväg att köpa en kommersiell licens.", - "DE.Controllers.Main.warnNoLicenseUsers": "Den här versionen av %1 har vissa begränsningar för samtidiga användare.
Om du behöver mer, överväg att köpa en kommersiell licens.", + "DE.Controllers.Main.warnLicenseUsersExceeded": "Gränsen är nådd för antalet %1 redigerare.
Kontakta administratören för mer information.", + "DE.Controllers.Main.warnNoLicense": "Gränsen är nådd för antalet %1 samtidiga anslutna redigerare. Dokumentet öppnas som skrivskyddat.
Kontakta %1 försäljningsteamet för personliga uppgraderings villkor.", + "DE.Controllers.Main.warnNoLicenseUsers": "Gränsen är nådd för antalet %1 redigerare.
Kontakta %1 försäljningsteamet för personliga uppgraderings villkor.", "DE.Controllers.Main.warnProcessRightsChange": "Du har nekats rätten att redigera filen.", "DE.Controllers.Navigation.txtBeginning": "Början av dokumentet", "DE.Controllers.Navigation.txtGotoBeginning": "Gå till början av dokumentet", + "DE.Controllers.Statusbar.textDisconnect": "
Anslutningen förlorades

Försöker återansluta. Vänligen kontroller anslutningens inställningar.", "DE.Controllers.Statusbar.textHasChanges": "Nya ändringar har spårats", "DE.Controllers.Statusbar.textSetTrackChanges": "Du är i spårändringsläge", "DE.Controllers.Statusbar.textTrackChanges": "Dokumentet är öppnat med Spåra Ändringar läge aktiverat", "DE.Controllers.Statusbar.tipReview": "Spåra ändringar", "DE.Controllers.Statusbar.zoomText": "Zooma {0}%", "DE.Controllers.Toolbar.confirmAddFontName": "Teckensnittet du kommer att spara finns inte på den aktuella enheten.
Textstilen kommer att visas med ett av systemets teckensnitt, sparat teckensnitt kommer att användas när det är tillgängligt.
Vill du fortsätta?", + "DE.Controllers.Toolbar.dataUrl": "Klistra in en data-URL", "DE.Controllers.Toolbar.notcriticalErrorTitle": "Varning", "DE.Controllers.Toolbar.textAccent": "Accenter", "DE.Controllers.Toolbar.textBracket": "Parantes", "DE.Controllers.Toolbar.textEmptyImgUrl": "Du behöver ange en URL för bilden.", + "DE.Controllers.Toolbar.textEmptyMMergeUrl": "Du måste ange URL.", "DE.Controllers.Toolbar.textFontSizeErr": "Det angivna värdet är inkorrekt.
Vänligen ange ett numeriskt värde mellan 0 och 300", "DE.Controllers.Toolbar.textFraction": "Fraktioner", "DE.Controllers.Toolbar.textFunction": "Funktioner", @@ -881,10 +911,22 @@ "DE.Controllers.Toolbar.textMatrix": "Matriser", "DE.Controllers.Toolbar.textOperator": "Operatorer", "DE.Controllers.Toolbar.textRadical": "Radikaler", + "DE.Controllers.Toolbar.textRecentlyUsed": "Nyligen använda", "DE.Controllers.Toolbar.textScript": "Skript", "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", @@ -1205,6 +1247,7 @@ "DE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "DE.Controllers.Viewport.textFitPage": "Anpassa till sida", "DE.Controllers.Viewport.textFitWidth": "Anpassa till bredd", + "DE.Controllers.Viewport.txtDarkMode": "Mörkt läge", "DE.Views.AddNewCaptionLabelDialog.textLabel": "Etikett:", "DE.Views.AddNewCaptionLabelDialog.textLabelError": "Etiketten får inte vara tom.", "DE.Views.BookmarksDialog.textAdd": "Lägg till", @@ -1253,15 +1296,15 @@ "DE.Views.ChartSettings.textChartType": "Ändra diagramtyp", "DE.Views.ChartSettings.textEditData": "Redigera data", "DE.Views.ChartSettings.textHeight": "Höjd", - "DE.Views.ChartSettings.textOriginalSize": "Standardstorlek", + "DE.Views.ChartSettings.textOriginalSize": "Verklig storlek", "DE.Views.ChartSettings.textSize": "Storlek", "DE.Views.ChartSettings.textStyle": "Stil", "DE.Views.ChartSettings.textUndock": "Lossa från panelen", "DE.Views.ChartSettings.textWidth": "Bredd", "DE.Views.ChartSettings.textWrap": "Figursättning", - "DE.Views.ChartSettings.txtBehind": "Bakom", - "DE.Views.ChartSettings.txtInFront": "Längst fram", - "DE.Views.ChartSettings.txtInline": "Inom", + "DE.Views.ChartSettings.txtBehind": "Bakom text", + "DE.Views.ChartSettings.txtInFront": "Framför text", + "DE.Views.ChartSettings.txtInline": "I höjd med text", "DE.Views.ChartSettings.txtSquare": "Fyrkant", "DE.Views.ChartSettings.txtThrough": "Genom", "DE.Views.ChartSettings.txtTight": "Tät", @@ -1395,7 +1438,8 @@ "DE.Views.DocumentHolder.mergeCellsText": "Slå ihop celler", "DE.Views.DocumentHolder.moreText": "Flytta varianter...", "DE.Views.DocumentHolder.noSpellVariantsText": "Inga varianter", - "DE.Views.DocumentHolder.originalSizeText": "Standardstorlek", + "DE.Views.DocumentHolder.notcriticalErrorTitle": "Varning", + "DE.Views.DocumentHolder.originalSizeText": "Verklig storlek", "DE.Views.DocumentHolder.paragraphText": "Stycke", "DE.Views.DocumentHolder.removeHyperlinkText": "Ta bort länk", "DE.Views.DocumentHolder.rightText": "Höger", @@ -1434,6 +1478,7 @@ "DE.Views.DocumentHolder.textDistributeCols": "Distribuera kolumner", "DE.Views.DocumentHolder.textDistributeRows": "Distribuera rader", "DE.Views.DocumentHolder.textEditControls": "Inställningar för innehållskontroll", + "DE.Views.DocumentHolder.textEditPoints": "Redigerings punkt", "DE.Views.DocumentHolder.textEditWrapBoundary": "Redigera omtagets gränser", "DE.Views.DocumentHolder.textFlipH": "Vänd horisontellt", "DE.Views.DocumentHolder.textFlipV": "Vänd vertikalt", @@ -1482,6 +1527,14 @@ "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", @@ -1493,7 +1546,7 @@ "DE.Views.DocumentHolder.txtAddTop": "Lägg till övre ram", "DE.Views.DocumentHolder.txtAddVer": "Lägg till horisontell linje", "DE.Views.DocumentHolder.txtAlignToChar": "Justera bredvid tecken", - "DE.Views.DocumentHolder.txtBehind": "Bakom", + "DE.Views.DocumentHolder.txtBehind": "Bakom text", "DE.Views.DocumentHolder.txtBorderProps": "Ramens egenskaper", "DE.Views.DocumentHolder.txtBottom": "Nederst", "DE.Views.DocumentHolder.txtColumnAlign": "Kolumn justering", @@ -1529,8 +1582,8 @@ "DE.Views.DocumentHolder.txtHideTopLimit": "Dölj övre gränsen", "DE.Views.DocumentHolder.txtHideVer": "Göm vertikal linje", "DE.Views.DocumentHolder.txtIncreaseArg": "Öka argumentets storlek", - "DE.Views.DocumentHolder.txtInFront": "Längst fram", - "DE.Views.DocumentHolder.txtInline": "Inom", + "DE.Views.DocumentHolder.txtInFront": "Framför text", + "DE.Views.DocumentHolder.txtInline": "I höjd med text", "DE.Views.DocumentHolder.txtInsertArgAfter": "Infoga argument efter", "DE.Views.DocumentHolder.txtInsertArgBefore": "Infoga argument före", "DE.Views.DocumentHolder.txtInsertBreak": "Infoga manuell brytning", @@ -1546,12 +1599,13 @@ "DE.Views.DocumentHolder.txtOverbar": "Linje ovanför text", "DE.Views.DocumentHolder.txtOverwriteCells": "Skriv över celler", "DE.Views.DocumentHolder.txtPasteSourceFormat": "Behåll källformatering", - "DE.Views.DocumentHolder.txtPressLink": "Tryck CTRL och klicka på länken", + "DE.Views.DocumentHolder.txtPressLink": "Tryck på CTRL och klicka på länken", "DE.Views.DocumentHolder.txtPrintSelection": "Skriv ut markering", "DE.Views.DocumentHolder.txtRemFractionBar": "Ta bort fraktionslinje", "DE.Views.DocumentHolder.txtRemLimit": "Ta bort begränsning", "DE.Views.DocumentHolder.txtRemoveAccentChar": "Ta bort tecken med accenter", "DE.Views.DocumentHolder.txtRemoveBar": "Ta bort linje", + "DE.Views.DocumentHolder.txtRemoveWarning": "Vill du ta bort den här signaturen?
Åtgärden kan inte ångras.", "DE.Views.DocumentHolder.txtRemScripts": "Ta bort script", "DE.Views.DocumentHolder.txtRemSubscript": "Ta bort nedsänkt", "DE.Views.DocumentHolder.txtRemSuperscript": "Ta bort upphöjt", @@ -1571,6 +1625,7 @@ "DE.Views.DocumentHolder.txtTopAndBottom": "Övre och nedre", "DE.Views.DocumentHolder.txtUnderbar": "Linje under text", "DE.Views.DocumentHolder.txtUngroup": "Dela upp", + "DE.Views.DocumentHolder.txtWarnUrl": "Att klicka på denna länk kan skada din utrustning och dess innehåll.
Är du säker på att du vill fortsätta?", "DE.Views.DocumentHolder.updateStyleText": "Uppdatera %1 stilen", "DE.Views.DocumentHolder.vertAlignText": "Vertikal anpassning", "DE.Views.DropcapSettingsAdvanced.strBorders": "Ram & fyllning", @@ -1618,10 +1673,12 @@ "DE.Views.EditListItemDialog.textNameError": "Visningsnamn får inte vara", "DE.Views.EditListItemDialog.textValue": "Värde", "DE.Views.EditListItemDialog.textValueError": "Det finns redan ett objekt med samma värde.", - "DE.Views.FileMenu.btnBackCaption": "Gå till dokument", + "DE.Views.FileMenu.btnBackCaption": "Öppna filens plats", "DE.Views.FileMenu.btnCloseMenuCaption": "Stäng meny", "DE.Views.FileMenu.btnCreateNewCaption": "Skapa ny", "DE.Views.FileMenu.btnDownloadCaption": "Ladda ner som...", + "DE.Views.FileMenu.btnExitCaption": "Avsluta", + "DE.Views.FileMenu.btnFileOpenCaption": "Öppna...", "DE.Views.FileMenu.btnHelpCaption": "Hjälp...", "DE.Views.FileMenu.btnHistoryCaption": "Versionshistorik", "DE.Views.FileMenu.btnInfoCaption": "Dokumentinformation...", @@ -1637,6 +1694,8 @@ "DE.Views.FileMenu.btnSettingsCaption": "Avancerade inställningar...", "DE.Views.FileMenu.btnToEditCaption": "Redigera dokumentet", "DE.Views.FileMenu.textDownload": "Ladda ner", + "DE.Views.FileMenuPanels.CreateNew.txtBlank": "Tomt dokument", + "DE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Skapa ny", "DE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Tillämpa", "DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Lägg till författare", "DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Lägg till text", @@ -1657,7 +1716,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Statistik", "DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Ämne", "DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Symboler", - "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Dokumenttitel", + "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Titel", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Uppladdad", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Ord", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Ändra behörigheter", @@ -1670,7 +1729,7 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "Redigering tar bort signaturerna från dokumentet.
Är du säker på att du vill fortsätta?", "DE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "Detta dokument har skyddats med lösenord", "DE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "Detta dokument behöver undertecknas.", - "DE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Giltiga signaturer har lagts till i dokumentet. Dokumentet är skyddat från redigering.", + "DE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Giltiga signaturer har lagts till i dokumentet. Dokumentet är skrivskyddat.", "DE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Några av de digitala signaturerna i dokumentet är ogiltiga eller kunde inte verifieras. Dokumentet är skyddat från redigering.", "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Visa signaturer", "DE.Views.FileMenuPanels.Settings.okButtonText": "Tillämpa", @@ -1682,13 +1741,14 @@ "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": "Spara alltid till server (annars spara till servern när dokumentet stängs)", + "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", @@ -1704,13 +1764,16 @@ "DE.Views.FileMenuPanels.Settings.textAutoSave": "Autospara", "DE.Views.FileMenuPanels.Settings.textCompatible": "Kompatibilitet", "DE.Views.FileMenuPanels.Settings.textDisabled": "Inaktiverad", - "DE.Views.FileMenuPanels.Settings.textForceSave": "Spara till server", + "DE.Views.FileMenuPanels.Settings.textForceSave": "Sparar mellanliggande versioner", "DE.Views.FileMenuPanels.Settings.textMinute": "Varje minut", "DE.Views.FileMenuPanels.Settings.textOldVersions": "Gör filerna kompatibla med äldre MS Word-versioner när de sparas som DOCX", "DE.Views.FileMenuPanels.Settings.txtAll": "Visa alla", "DE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Inställningar autokorrigering", "DE.Views.FileMenuPanels.Settings.txtCacheMode": "Standard cache-läge", + "DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "Visa genom att klicka på pratbubblan", + "DE.Views.FileMenuPanels.Settings.txtChangesTip": "Visa genom att peka på verktygstips", "DE.Views.FileMenuPanels.Settings.txtCm": "Centimeter", + "DE.Views.FileMenuPanels.Settings.txtDarkMode": "Slå på mörkt läge för dokumentet", "DE.Views.FileMenuPanels.Settings.txtFitPage": "Anpassa till sida", "DE.Views.FileMenuPanels.Settings.txtFitWidth": "Anpassa till bredd", "DE.Views.FileMenuPanels.Settings.txtInch": "Tum", @@ -1733,6 +1796,7 @@ "DE.Views.FormSettings.textAlways": "Alltid", "DE.Views.FormSettings.textAspect": "Lås bildformat", "DE.Views.FormSettings.textAutofit": "Anpassa automatiskt", + "DE.Views.FormSettings.textBackgroundColor": "Bakgrundsfärg", "DE.Views.FormSettings.textCheckbox": "Kryssruta", "DE.Views.FormSettings.textColor": "Ramfärg", "DE.Views.FormSettings.textComb": "Kombination av tecken", @@ -1755,7 +1819,7 @@ "DE.Views.FormSettings.textNever": "Aldrig", "DE.Views.FormSettings.textNoBorder": "Ingen ram", "DE.Views.FormSettings.textPlaceholder": "Platshållare", - "DE.Views.FormSettings.textRadiobox": "Radio Button", + "DE.Views.FormSettings.textRadiobox": "Radioknapp", "DE.Views.FormSettings.textRequired": "Obligatoriskt", "DE.Views.FormSettings.textScale": "När ska skalas", "DE.Views.FormSettings.textSelectImage": "Välj bild", @@ -1776,11 +1840,14 @@ "DE.Views.FormsTab.capBtnNext": "Nästa fält", "DE.Views.FormsTab.capBtnPrev": "Föregående fält", "DE.Views.FormsTab.capBtnRadioBox": "Radio Button", + "DE.Views.FormsTab.capBtnSaveForm": "Spara som oform", "DE.Views.FormsTab.capBtnSubmit": "Verkställ", "DE.Views.FormsTab.capBtnText": "Textfält", "DE.Views.FormsTab.capBtnView": "Visa formulär", "DE.Views.FormsTab.textClear": "Rensa fält", "DE.Views.FormsTab.textClearFields": "Rensa fält", + "DE.Views.FormsTab.textCreateForm": "Lägg till fält och skapa ett ifyllbart OFORM dokument", + "DE.Views.FormsTab.textGotIt": "Uppfattat", "DE.Views.FormsTab.textHighlight": "Markera inställningar", "DE.Views.FormsTab.textNoHighlight": "Ingen markering", "DE.Views.FormsTab.textRequired": "Fyll i alla fält för att skicka formulär.", @@ -1792,9 +1859,11 @@ "DE.Views.FormsTab.tipNextForm": "Gå till nästa fält", "DE.Views.FormsTab.tipPrevForm": "Gå till föregående fält", "DE.Views.FormsTab.tipRadioBox": "Insert radio button", + "DE.Views.FormsTab.tipSaveForm": "Spara en fil som ifyllbart OFORM dokument", "DE.Views.FormsTab.tipSubmit": "Kunde ej verkställa formulär", "DE.Views.FormsTab.tipTextField": "Infoga textfält", "DE.Views.FormsTab.tipViewForm": "Visa formulär", + "DE.Views.FormsTab.txtUntitled": "Namnlös", "DE.Views.HeaderFooterSettings.textBottomCenter": "Nederst centrerad", "DE.Views.HeaderFooterSettings.textBottomLeft": "Nederst vänster", "DE.Views.HeaderFooterSettings.textBottomPage": "Nederkant på sidan", @@ -1832,6 +1901,7 @@ "DE.Views.ImageSettings.textCrop": "Beskär", "DE.Views.ImageSettings.textCropFill": "Fylla", "DE.Views.ImageSettings.textCropFit": "Anpassa", + "DE.Views.ImageSettings.textCropToShape": "Beskär till form", "DE.Views.ImageSettings.textEdit": "Redigera", "DE.Views.ImageSettings.textEditObject": "Redigera objekt", "DE.Views.ImageSettings.textFitMargins": "Anpassa till marginal", @@ -1845,15 +1915,16 @@ "DE.Views.ImageSettings.textHintFlipH": "Vänd horisontellt", "DE.Views.ImageSettings.textHintFlipV": "Vänd vertikalt", "DE.Views.ImageSettings.textInsert": "Ersätt bild", - "DE.Views.ImageSettings.textOriginalSize": "Standardstorlek", + "DE.Views.ImageSettings.textOriginalSize": "Verklig storlek", + "DE.Views.ImageSettings.textRecentlyUsed": "Nyligen använda", "DE.Views.ImageSettings.textRotate90": "Rotera 90°", "DE.Views.ImageSettings.textRotation": "Rotation", "DE.Views.ImageSettings.textSize": "Storlek", "DE.Views.ImageSettings.textWidth": "Bredd", "DE.Views.ImageSettings.textWrap": "Figursättning", - "DE.Views.ImageSettings.txtBehind": "Bakom", - "DE.Views.ImageSettings.txtInFront": "Längst fram", - "DE.Views.ImageSettings.txtInline": "Inom", + "DE.Views.ImageSettings.txtBehind": "Bakom text", + "DE.Views.ImageSettings.txtInFront": "Framför text", + "DE.Views.ImageSettings.txtInline": "I höjd med text", "DE.Views.ImageSettings.txtSquare": "Fyrkant", "DE.Views.ImageSettings.txtThrough": "Genom", "DE.Views.ImageSettings.txtTight": "Tät", @@ -1863,7 +1934,7 @@ "DE.Views.ImageSettingsAdvanced.textAlignment": "Justera", "DE.Views.ImageSettingsAdvanced.textAlt": "Alternativ text", "DE.Views.ImageSettingsAdvanced.textAltDescription": "Beskrivning", - "DE.Views.ImageSettingsAdvanced.textAltTip": "Den alternativa textbaserade representation av den visuella informationsobjektet, som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar att hjälpa dem att bättre förstå vilken information som finns i bilden, figur eller, diagram eller en tabell.", + "DE.Views.ImageSettingsAdvanced.textAltTip": "Den alternativa textbaserad förekomsten av visuell objektinformation som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar för att hjälpa dem att bättre förstå vilken information som finns i bilden, figuren, diagrammet eller tabellen.", "DE.Views.ImageSettingsAdvanced.textAltTitle": "Titel", "DE.Views.ImageSettingsAdvanced.textAngle": "Vinkel", "DE.Views.ImageSettingsAdvanced.textArrows": "Pilar", @@ -1898,7 +1969,7 @@ "DE.Views.ImageSettingsAdvanced.textMiter": "Miter", "DE.Views.ImageSettingsAdvanced.textMove": "Flytta objektet med texten", "DE.Views.ImageSettingsAdvanced.textOptions": "Alternativ", - "DE.Views.ImageSettingsAdvanced.textOriginalSize": "Standardstorlek", + "DE.Views.ImageSettingsAdvanced.textOriginalSize": "Verklig storlek", "DE.Views.ImageSettingsAdvanced.textOverlap": "Tillåt överlappning", "DE.Views.ImageSettingsAdvanced.textPage": "Sida", "DE.Views.ImageSettingsAdvanced.textParagraph": "Stycke", @@ -1926,9 +1997,9 @@ "DE.Views.ImageSettingsAdvanced.textWeightArrows": "Vikter & pilar", "DE.Views.ImageSettingsAdvanced.textWidth": "Bredd", "DE.Views.ImageSettingsAdvanced.textWrap": "Figursättning", - "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Bakom", - "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Längst fram", - "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "Inom", + "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Bakom text", + "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Framför text", + "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "I höjd med text", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Fyrkant", "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "Genom", "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "Tät", @@ -1970,7 +2041,7 @@ "DE.Views.Links.confirmDeleteFootnotes": "Vill du radera alla fotnoter?", "DE.Views.Links.confirmReplaceTOF": "Vill du ersätta denna", "DE.Views.Links.mniConvertNote": "Konvertera alla noter", - "DE.Views.Links.mniDelFootnote": "Radera alla fotnoter", + "DE.Views.Links.mniDelFootnote": "Radera alla anteckningar", "DE.Views.Links.mniInsEndnote": "Infoga slutnot", "DE.Views.Links.mniInsFootnote": "Infoga fotnot", "DE.Views.Links.mniNoteSettings": "Inställning anteckningar", @@ -2059,7 +2130,7 @@ "DE.Views.MailMergeSettings.warnProcessMailMerge": "Sammanslagning misslyckads", "DE.Views.Navigation.txtCollapse": "Gömma alla", "DE.Views.Navigation.txtDemote": "Degradera", - "DE.Views.Navigation.txtEmpty": "Detta dokument innehåller inga rubriker", + "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.txtExpand": "Expandera alla", "DE.Views.Navigation.txtExpandToLevel": "Expandera till nivå", @@ -2116,6 +2187,11 @@ "DE.Views.PageSizeDialog.textTitle": "Sidstorlek", "DE.Views.PageSizeDialog.textWidth": "Bredd", "DE.Views.PageSizeDialog.txtCustom": "Anpassad", + "DE.Views.PageThumbnails.textClosePanel": "Stäng sidans miniatyrer", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "Markera synlig del av sidan", + "DE.Views.PageThumbnails.textPageThumbnails": "Miniatyrsidor", + "DE.Views.PageThumbnails.textThumbnailsSettings": "Inställningar för miniatyrbilder", + "DE.Views.PageThumbnails.textThumbnailsSize": "Storlek på miniatyrbilder", "DE.Views.ParagraphSettings.strIndent": "Indrag", "DE.Views.ParagraphSettings.strIndentsLeftText": "Vänster", "DE.Views.ParagraphSettings.strIndentsRightText": "Höger", @@ -2226,7 +2302,7 @@ "DE.Views.ShapeSettings.strPattern": "Mönster", "DE.Views.ShapeSettings.strShadow": "Visa skugga", "DE.Views.ShapeSettings.strSize": "Storlek", - "DE.Views.ShapeSettings.strStroke": "Genomslag", + "DE.Views.ShapeSettings.strStroke": "Rad", "DE.Views.ShapeSettings.strTransparency": "Opacitet", "DE.Views.ShapeSettings.strType": "Typ", "DE.Views.ShapeSettings.textAdvanced": "Visa avancerade inställningar", @@ -2239,7 +2315,7 @@ "DE.Views.ShapeSettings.textFromFile": "Från fil", "DE.Views.ShapeSettings.textFromStorage": "Från lagring", "DE.Views.ShapeSettings.textFromUrl": "Från URL", - "DE.Views.ShapeSettings.textGradient": "Fyllning", + "DE.Views.ShapeSettings.textGradient": "Triangulär punkt", "DE.Views.ShapeSettings.textGradientFill": "Fyllning", "DE.Views.ShapeSettings.textHint270": "Rotera 90° moturs", "DE.Views.ShapeSettings.textHint90": "Rotera 90° medsols", @@ -2251,6 +2327,7 @@ "DE.Views.ShapeSettings.textPatternFill": "Mönster", "DE.Views.ShapeSettings.textPosition": "Position", "DE.Views.ShapeSettings.textRadial": "Radiell", + "DE.Views.ShapeSettings.textRecentlyUsed": "Nyligen använda", "DE.Views.ShapeSettings.textRotate90": "Rotera 90°", "DE.Views.ShapeSettings.textRotation": "Rotation", "DE.Views.ShapeSettings.textSelectImage": "Välj bild", @@ -2262,7 +2339,7 @@ "DE.Views.ShapeSettings.textWrap": "Figursättning", "DE.Views.ShapeSettings.tipAddGradientPoint": "Lägg till lutningspunkt", "DE.Views.ShapeSettings.tipRemoveGradientPoint": "Ta bort lutningspunkten", - "DE.Views.ShapeSettings.txtBehind": "Bakom", + "DE.Views.ShapeSettings.txtBehind": "Bakom text", "DE.Views.ShapeSettings.txtBrownPaper": "Brunt papper", "DE.Views.ShapeSettings.txtCanvas": "Canvas", "DE.Views.ShapeSettings.txtCarton": "Kartong", @@ -2270,8 +2347,8 @@ "DE.Views.ShapeSettings.txtGrain": "Gryn", "DE.Views.ShapeSettings.txtGranite": "Granit", "DE.Views.ShapeSettings.txtGreyPaper": "Grått papper", - "DE.Views.ShapeSettings.txtInFront": "Längst fram", - "DE.Views.ShapeSettings.txtInline": "Inom", + "DE.Views.ShapeSettings.txtInFront": "Framför text", + "DE.Views.ShapeSettings.txtInline": "I höjd med text", "DE.Views.ShapeSettings.txtKnit": "Knit", "DE.Views.ShapeSettings.txtLeather": "Läder", "DE.Views.ShapeSettings.txtNoBorders": "Ingen rad", @@ -2295,7 +2372,7 @@ "DE.Views.SignatureSettings.txtEditWarning": "Redigering tar bort signaturerna från dokumentet.
Är du säker på att du vill fortsätta?", "DE.Views.SignatureSettings.txtRemoveWarning": "Vill du radera denna", "DE.Views.SignatureSettings.txtRequestedSignatures": "Detta dokument behöver undertecknas.", - "DE.Views.SignatureSettings.txtSigned": "Giltiga signaturer har lagts till i dokumentet. Dokumentet är skyddat från redigering.", + "DE.Views.SignatureSettings.txtSigned": "Giltiga signaturer har lagts till i dokumentet. Dokumentet är skrivskyddat.", "DE.Views.SignatureSettings.txtSignedInvalid": "Några av de digitala signaturerna i dokumentet är ogiltiga eller kunde inte verifieras. Dokumentet är skyddat från redigering.", "DE.Views.Statusbar.goToPageText": "Gå till sida", "DE.Views.Statusbar.pageIndexText": "Sida {0} av {1}", @@ -2369,7 +2446,7 @@ "DE.Views.TableSettings.textBanded": "Banded", "DE.Views.TableSettings.textBorderColor": "Färg", "DE.Views.TableSettings.textBorders": "Ramens stil", - "DE.Views.TableSettings.textCellSize": "Cellstorlek", + "DE.Views.TableSettings.textCellSize": "Rad- och cellstorlek", "DE.Views.TableSettings.textColumns": "Kolumner", "DE.Views.TableSettings.textConvert": "Konvertera tabell till text", "DE.Views.TableSettings.textDistributeCols": "Distribuera kolumner", @@ -2409,7 +2486,7 @@ "DE.Views.TableSettingsAdvanced.textAllowSpacing": "Avstånd mellan celler", "DE.Views.TableSettingsAdvanced.textAlt": "Alternativ text", "DE.Views.TableSettingsAdvanced.textAltDescription": "Beskrivning", - "DE.Views.TableSettingsAdvanced.textAltTip": "Den alternativa textbaserade representation av den visuella informationsobjektet, som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar att hjälpa dem att bättre förstå vilken information som finns i bilden, figur eller, diagram eller en tabell.", + "DE.Views.TableSettingsAdvanced.textAltTip": "Den alternativa textbaserad förekomsten av visuell objektinformation som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar för att hjälpa dem att bättre förstå vilken information som finns i bilden, figuren, diagrammet eller tabellen.", "DE.Views.TableSettingsAdvanced.textAltTitle": "Titel", "DE.Views.TableSettingsAdvanced.textAnchorText": "Text", "DE.Views.TableSettingsAdvanced.textAutofit": "Automatiskt ändra storlek för att passa innehållet", @@ -2487,14 +2564,14 @@ "DE.Views.TextArtSettings.strColor": "Färg", "DE.Views.TextArtSettings.strFill": "Fylla", "DE.Views.TextArtSettings.strSize": "Storlek", - "DE.Views.TextArtSettings.strStroke": "Genomslag", + "DE.Views.TextArtSettings.strStroke": "Rad", "DE.Views.TextArtSettings.strTransparency": "Opacitet", "DE.Views.TextArtSettings.strType": "Typ", "DE.Views.TextArtSettings.textAngle": "Vinkel", "DE.Views.TextArtSettings.textBorderSizeErr": "Det angivna värdet är inkorrekt.
Vänligen ange ett värde mellan 0 och 1584 pt.", "DE.Views.TextArtSettings.textColor": "Färgfyllnad", "DE.Views.TextArtSettings.textDirection": "Riktning", - "DE.Views.TextArtSettings.textGradient": "Fyllning", + "DE.Views.TextArtSettings.textGradient": "Triangulära punkter", "DE.Views.TextArtSettings.textGradientFill": "Fyllning", "DE.Views.TextArtSettings.textLinear": "Linjär", "DE.Views.TextArtSettings.textNoFill": "Ingen fyllning", @@ -2531,7 +2608,7 @@ "DE.Views.Toolbar.capBtnInsControls": "Innehållskontroller", "DE.Views.Toolbar.capBtnInsDropcap": "Anfang", "DE.Views.Toolbar.capBtnInsEquation": "Ekvation", - "DE.Views.Toolbar.capBtnInsHeader": "Sidhuvud/Sidfot", + "DE.Views.Toolbar.capBtnInsHeader": "Sidhuvud & Sidfot", "DE.Views.Toolbar.capBtnInsImage": "Bild", "DE.Views.Toolbar.capBtnInsPagebreak": "Brytningar", "DE.Views.Toolbar.capBtnInsShape": "Form", @@ -2557,6 +2634,9 @@ "DE.Views.Toolbar.mniEditFooter": "Redigera foten", "DE.Views.Toolbar.mniEditHeader": "Redigera sidhuvud", "DE.Views.Toolbar.mniEraseTable": "Radera tabell", + "DE.Views.Toolbar.mniFromFile": "Från fil", + "DE.Views.Toolbar.mniFromStorage": "Från lagring", + "DE.Views.Toolbar.mniFromUrl": "Från URL", "DE.Views.Toolbar.mniHiddenBorders": "Göm tabellens ram", "DE.Views.Toolbar.mniHiddenChars": "Dolda tecken", "DE.Views.Toolbar.mniHighlightControls": "Markera inställningar", @@ -2613,13 +2693,13 @@ "DE.Views.Toolbar.textPageMarginsCustom": "Anpassade marginaler", "DE.Views.Toolbar.textPageSizeCustom": "Anpassad sidstorlek", "DE.Views.Toolbar.textPictureControl": "Bild", - "DE.Views.Toolbar.textPlainControl": "Infoga innehållskontroll för ren text", + "DE.Views.Toolbar.textPlainControl": "Oformaterad text", "DE.Views.Toolbar.textPortrait": "Porträtt", "DE.Views.Toolbar.textRemoveControl": "Ta bort innehållskontrollen", "DE.Views.Toolbar.textRemWatermark": "Ta bort vattenstämpel", "DE.Views.Toolbar.textRestartEachPage": "Gör om för varje sida", "DE.Views.Toolbar.textRestartEachSection": "Gör om för varje sektion", - "DE.Views.Toolbar.textRichControl": "Infoga innehållskontroll för utökad text", + "DE.Views.Toolbar.textRichControl": "Utökad text", "DE.Views.Toolbar.textRight": "Höger:", "DE.Views.Toolbar.textStrikeout": "Genomstruken", "DE.Views.Toolbar.textStyleMenuDelete": "Radera stil", @@ -2639,6 +2719,7 @@ "DE.Views.Toolbar.textTabLinks": "Referenser", "DE.Views.Toolbar.textTabProtect": "Skydd", "DE.Views.Toolbar.textTabReview": "Granska", + "DE.Views.Toolbar.textTabView": "Visa", "DE.Views.Toolbar.textTitleError": "Fel", "DE.Views.Toolbar.textToCurrent": "Till nuvarande position", "DE.Views.Toolbar.textTop": "Överst:", @@ -2678,7 +2759,7 @@ "DE.Views.Toolbar.tipInsertShape": "Infoga autoform", "DE.Views.Toolbar.tipInsertSymbol": "Infoga symbol", "DE.Views.Toolbar.tipInsertTable": "Infoga tabell", - "DE.Views.Toolbar.tipInsertText": "Infoga text", + "DE.Views.Toolbar.tipInsertText": "Infoga textruta", "DE.Views.Toolbar.tipInsertTextArt": "Infoga TextArt", "DE.Views.Toolbar.tipLineNumbers": "Visa radnummer", "DE.Views.Toolbar.tipLineSpace": "Styckets radavstånd", @@ -2730,6 +2811,15 @@ "DE.Views.Toolbar.txtScheme7": "Rättvisa", "DE.Views.Toolbar.txtScheme8": "Flöde", "DE.Views.Toolbar.txtScheme9": "Grund", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Visa alltid verktygsfältet", + "DE.Views.ViewTab.textDarkDocument": "Mörkt dokument", + "DE.Views.ViewTab.textFitToPage": "Anpassa till sidan", + "DE.Views.ViewTab.textFitToWidth": "Anpassa till bredden", + "DE.Views.ViewTab.textInterfaceTheme": "Gränssnittstema", + "DE.Views.ViewTab.textNavigation": "Navigation", + "DE.Views.ViewTab.textRulers": "Linjaler", + "DE.Views.ViewTab.textStatusBar": "Statusmätare", + "DE.Views.ViewTab.textZoom": "Förstoring", "DE.Views.WatermarkSettingsDialog.textAuto": "Auto", "DE.Views.WatermarkSettingsDialog.textBold": "Fet", "DE.Views.WatermarkSettingsDialog.textColor": "Textfärg", diff --git a/apps/documenteditor/main/locale/tr.json b/apps/documenteditor/main/locale/tr.json index e203e13b9..1fa916143 100644 --- a/apps/documenteditor/main/locale/tr.json +++ b/apps/documenteditor/main/locale/tr.json @@ -15,14 +15,14 @@ "Common.Controllers.ReviewChanges.textAuto": "Otomatik", "Common.Controllers.ReviewChanges.textBaseline": "Kenar çizgisi", "Common.Controllers.ReviewChanges.textBold": "Kalın", - "Common.Controllers.ReviewChanges.textBreakBefore": "Page break before", + "Common.Controllers.ReviewChanges.textBreakBefore": "Sonrasında yeni sayfaya geç", "Common.Controllers.ReviewChanges.textCaps": "Tümü büyük harf", "Common.Controllers.ReviewChanges.textCenter": "Ortaya Hizala", "Common.Controllers.ReviewChanges.textChar": "Karakter seviyesi", "Common.Controllers.ReviewChanges.textChart": "Chart", "Common.Controllers.ReviewChanges.textColor": "Font color", "Common.Controllers.ReviewChanges.textContextual": "Aynı stildeki paragraflar arasına aralık ekleme", - "Common.Controllers.ReviewChanges.textDeleted": "Silindi:", + "Common.Controllers.ReviewChanges.textDeleted": "Silinen:", "Common.Controllers.ReviewChanges.textDStrikeout": "Double strikeout", "Common.Controllers.ReviewChanges.textEquation": "Equation", "Common.Controllers.ReviewChanges.textExact": "exactly", @@ -34,14 +34,14 @@ "Common.Controllers.ReviewChanges.textIndentLeft": "Indent left", "Common.Controllers.ReviewChanges.textIndentRight": "Indent right", "Common.Controllers.ReviewChanges.textInserted": "Eklenen:", - "Common.Controllers.ReviewChanges.textItalic": "Italic", + "Common.Controllers.ReviewChanges.textItalic": "Eğik", "Common.Controllers.ReviewChanges.textJustify": "İki yana hizala", "Common.Controllers.ReviewChanges.textKeepLines": "Keep lines together", "Common.Controllers.ReviewChanges.textKeepNext": "Keep with next", "Common.Controllers.ReviewChanges.textLeft": "Sola hizala", "Common.Controllers.ReviewChanges.textLineSpacing": "Line Spacing: ", "Common.Controllers.ReviewChanges.textMultiple": "multiple", - "Common.Controllers.ReviewChanges.textNoBreakBefore": "No page break before", + "Common.Controllers.ReviewChanges.textNoBreakBefore": "\"Sonrasında yeni sayfaya geç\" yok", "Common.Controllers.ReviewChanges.textNoContextual": "Aynı stildeki paragraflar arasına aralık ekleyin", "Common.Controllers.ReviewChanges.textNoKeepLines": "Don't keep lines together", "Common.Controllers.ReviewChanges.textNoKeepNext": "Don't keep with next", @@ -184,13 +184,13 @@ "Common.UI.SynchronizeTip.textSynchronize": "Döküman başka bir kullanıcı tarafından değiştirildi.
Lütfen değişikleri kaydetmek için tıklayın ve güncellemeleri yenileyin.", "Common.UI.ThemeColorPalette.textStandartColors": "Standart Renkler", "Common.UI.ThemeColorPalette.textThemeColors": "Tema Renkleri", - "Common.UI.Themes.txtThemeClassicLight": "Açık mod", + "Common.UI.Themes.txtThemeClassicLight": "Klasik Aydınlık", "Common.UI.Themes.txtThemeDark": "Karanlık", - "Common.UI.Themes.txtThemeLight": "Açık", + "Common.UI.Themes.txtThemeLight": "Aydınlık", "Common.UI.Window.cancelButtonText": "İptal Et", "Common.UI.Window.closeButtonText": "Kapat", "Common.UI.Window.noButtonText": "Hayır", - "Common.UI.Window.okButtonText": "TAMAM", + "Common.UI.Window.okButtonText": "Tamam", "Common.UI.Window.textConfirmation": "Konfirmasyon", "Common.UI.Window.textDontShow": "Bu mesajı bir daha gösterme", "Common.UI.Window.textError": "Hata", @@ -221,7 +221,7 @@ "Common.Views.AutoCorrectDialog.textNumbered": "Otomatik numaralı liste", "Common.Views.AutoCorrectDialog.textQuotes": "\"Akıllı tırnak\" ile \"düz tırnak\"", "Common.Views.AutoCorrectDialog.textRecognized": "Bilinen fonksiyonlar", - "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Aşağıdaki ifadeler tanınan matematik ifadeleridir. Otomatik olarak italik yazılmazlar.", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Aşağıdaki ifadeler tanınan matematik ifadeleridir. Otomatik olarak eğik yazılmazlar.", "Common.Views.AutoCorrectDialog.textReplace": "Değiştir", "Common.Views.AutoCorrectDialog.textReplaceText": "Yazarken Değiştir ", "Common.Views.AutoCorrectDialog.textReplaceType": "Metni yazarken değiştirin", @@ -252,7 +252,7 @@ "Common.Views.Comments.textClose": "Kapat", "Common.Views.Comments.textClosePanel": "Yorumları kapat", "Common.Views.Comments.textComments": "Yorumlar", - "Common.Views.Comments.textEdit": "Düzenle", + "Common.Views.Comments.textEdit": "Tamam", "Common.Views.Comments.textEnterCommentHint": "Yorumunuzu buraya giriniz", "Common.Views.Comments.textHintAddComment": "Yorum Ekle", "Common.Views.Comments.textOpenAgain": "Tekrar Aç", @@ -288,7 +288,7 @@ "Common.Views.Header.tipDownload": "Dosyayı indir", "Common.Views.Header.tipGoEdit": "Mevcut belgeyi düzenle", "Common.Views.Header.tipPrint": "Sayfayı yazdır", - "Common.Views.Header.tipRedo": "Tekrar yap", + "Common.Views.Header.tipRedo": "Yinele", "Common.Views.Header.tipSave": "Kaydet", "Common.Views.Header.tipUndo": "Geri Al", "Common.Views.Header.tipViewSettings": "Seçenekler", @@ -315,19 +315,19 @@ "Common.Views.LanguageDialog.labelSelect": "Belge dilini seçin", "Common.Views.OpenDialog.closeButtonText": "Dosyayı Kapat", "Common.Views.OpenDialog.txtEncoding": "Encoding ", - "Common.Views.OpenDialog.txtIncorrectPwd": "Şifre hatalı.", + "Common.Views.OpenDialog.txtIncorrectPwd": "Parola hatalı.", "Common.Views.OpenDialog.txtOpenFile": "Dosyayı Açmak için Parola Girin", - "Common.Views.OpenDialog.txtPassword": "Şifre", + "Common.Views.OpenDialog.txtPassword": "Parola", "Common.Views.OpenDialog.txtPreview": "Önizleme", - "Common.Views.OpenDialog.txtProtected": "Şifreyi girip dosyayı açtığınızda, dosyanın mevcut şifresi sıfırlanacaktır.", + "Common.Views.OpenDialog.txtProtected": "Parolayı girip dosyayı açtığınızda, dosyanın mevcut parolası sıfırlanacaktır.", "Common.Views.OpenDialog.txtTitle": "Choose %1 options", "Common.Views.OpenDialog.txtTitleProtected": "Korumalı dosya", - "Common.Views.PasswordDialog.txtDescription": "Bu belgeyi korumak için bir şifre belirleyin", + "Common.Views.PasswordDialog.txtDescription": "Bu belgeyi korumak için bir parola belirleyin", "Common.Views.PasswordDialog.txtIncorrectPwd": "Onay şifresi aynı değil", "Common.Views.PasswordDialog.txtPassword": "Parola", - "Common.Views.PasswordDialog.txtRepeat": "Şifreyi tekrar girin", - "Common.Views.PasswordDialog.txtTitle": "Şifreyi belirle", - "Common.Views.PasswordDialog.txtWarning": "Dikkat: Parolayı kaybeder veya unutursanız, kurtarılamaz.", + "Common.Views.PasswordDialog.txtRepeat": "Parolayı tekrar girin", + "Common.Views.PasswordDialog.txtTitle": "Parola Belirle", + "Common.Views.PasswordDialog.txtWarning": "Dikkat: Parolayı kaybeder veya unutursanız, kurtarılamaz. Lütfen parolayı güvenli bir yerde saklayın.", "Common.Views.PluginDlg.textLoading": "Yükleniyor", "Common.Views.Plugins.groupCaption": "Eklentiler", "Common.Views.Plugins.strPlugins": "Plugin", @@ -335,11 +335,11 @@ "Common.Views.Plugins.textStart": "Başlat", "Common.Views.Plugins.textStop": "Bitir", "Common.Views.Protection.hintAddPwd": "Parola ile şifreleyin", - "Common.Views.Protection.hintPwd": "Şifreyi değiştir veya sil", + "Common.Views.Protection.hintPwd": "Parolayı değiştir veya sil", "Common.Views.Protection.hintSignature": "Dijital imza veya imza satırı ekleyin", - "Common.Views.Protection.txtAddPwd": "Şifre ekle", - "Common.Views.Protection.txtChangePwd": "Şifre Değiştir", - "Common.Views.Protection.txtDeletePwd": "Şifreyi sil", + "Common.Views.Protection.txtAddPwd": "Parola ekle", + "Common.Views.Protection.txtChangePwd": "Parolayı değiştir", + "Common.Views.Protection.txtDeletePwd": "Parolayı sil", "Common.Views.Protection.txtEncrypt": "Şifrele", "Common.Views.Protection.txtInvisibleSignature": "Dijital imza ekle", "Common.Views.Protection.txtSignature": "İmza", @@ -450,7 +450,7 @@ "Common.Views.SignDialog.textCertificate": "Sertifika", "Common.Views.SignDialog.textChange": "Değiştir", "Common.Views.SignDialog.textInputName": "İmzalayan adını girin", - "Common.Views.SignDialog.textItalic": "İtalik", + "Common.Views.SignDialog.textItalic": "Eğik", "Common.Views.SignDialog.textNameError": "İmzalayan adı boş bırakılmamalıdır.", "Common.Views.SignDialog.textPurpose": "Bu belgeyi imzalamanın amacı", "Common.Views.SignDialog.textSelect": "Seç", @@ -514,7 +514,7 @@ "DE.Controllers.Main.applyChangesTextText": "Değişiklikler yükleniyor...", "DE.Controllers.Main.applyChangesTitleText": "Değişiklikler Yükleniyor", "DE.Controllers.Main.convertationTimeoutText": "Değişim süresi geçti.", - "DE.Controllers.Main.criticalErrorExtText": "Döküman listesine dönmek için \"TAMAM\"'a tıklayın", + "DE.Controllers.Main.criticalErrorExtText": "Döküman listesine dönmek için \"Tamam\"'a tıklayın", "DE.Controllers.Main.criticalErrorTitle": "Hata", "DE.Controllers.Main.downloadErrorText": "Yükleme başarısız oldu.", "DE.Controllers.Main.downloadMergeText": "Downloading...", @@ -548,7 +548,7 @@ "DE.Controllers.Main.errorSessionAbsolute": "Doküman düzenleme oturumu sona erdi. Lütfen sayfayı yeniden yükleyin.", "DE.Controllers.Main.errorSessionIdle": "Belge oldukça uzun süredir düzenlenmedi. Lütfen sayfayı yeniden yükleyin.", "DE.Controllers.Main.errorSessionToken": "Sunucu bağlantısı yarıda kesildi. Lütfen sayfayı yeniden yükleyin.", - "DE.Controllers.Main.errorSetPassword": "Şifre ayarlanamadı.", + "DE.Controllers.Main.errorSetPassword": "Parola ayarlanamadı.", "DE.Controllers.Main.errorStockChart": "Yanlış dizi sırası. Stok grafiği oluşturma için tablodaki verileri şu sırada yerleştirin:
açılış fiyatı, maksimum fiyat, minimum fiyat, kapanış fiyatı. ", "DE.Controllers.Main.errorSubmit": "Kaydetme başarısız oldu.", "DE.Controllers.Main.errorToken": "Belge güvenlik belirteci doğru şekilde oluşturulmamış

Lütfen Document Server yöneticinize başvurun.", @@ -611,11 +611,11 @@ "DE.Controllers.Main.textReconnect": "Yeniden bağlanıldı", "DE.Controllers.Main.textRemember": "Seçimimi tüm dosyalar için hatırla", "DE.Controllers.Main.textRenameError": "Kullanıcı adı boş bırakılmamalıdır.", - "DE.Controllers.Main.textRenameLabel": "İşbirliği için kullanılacak bir ad girin", + "DE.Controllers.Main.textRenameLabel": "Ortak çalışma için kullanılacak bir ad girin", "DE.Controllers.Main.textShape": "Şekil", "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.textTryUndoRedoWarn": "Hızlı birlikte düzenleme modunda geri al/ileri al fonksiyonları devre dışıdır.", + "DE.Controllers.Main.textTryUndoRedo": "Geri al/Yinele fonksiyonları hızlı ortak çalışma modunda devre dışı kalır.
'Katı mod' tuşuna tıklayarak Katı ortak düzenleme moduna geçebilir ve diğer kullanıcıların müdehalesi olmadan, yalnızca siz belgeyi kaydettikten sonra değişiklik yapılmasını sağlayabilirsiniz. Ortak çalışma moduna tekrar dönmek için Gelişmiş ayarları kullanabilirsiniz.", + "DE.Controllers.Main.textTryUndoRedoWarn": "Hızlı ortak düzenleme modunda geri al/yinele fonksiyonları devre dışıdır.", "DE.Controllers.Main.titleLicenseExp": "Lisans süresi doldu", "DE.Controllers.Main.titleServerVersion": "Editör güncellendi", "DE.Controllers.Main.titleUpdateVersion": "Versiyon değiştirildi", @@ -640,7 +640,7 @@ "DE.Controllers.Main.txtFirstPage": "İlk sayfa", "DE.Controllers.Main.txtFooter": "Altbilgi", "DE.Controllers.Main.txtFormulaNotInTable": "Tabloda Olmayan Formül", - "DE.Controllers.Main.txtHeader": "Üst Başlık", + "DE.Controllers.Main.txtHeader": "Üst Bilgi", "DE.Controllers.Main.txtHyperlink": "Köprü", "DE.Controllers.Main.txtIndTooLarge": "Dizin Çok Büyük", "DE.Controllers.Main.txtLines": "Satırlar", @@ -707,7 +707,7 @@ "DE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "Kavisli Çift Ok Bağlayıcı", "DE.Controllers.Main.txtShape_curvedDownArrow": "Eğri Aşağı Ok", "DE.Controllers.Main.txtShape_curvedLeftArrow": "Kavisli Sol Ok", - "DE.Controllers.Main.txtShape_curvedRightArrow": "Kavisli Sağ Ok", + "DE.Controllers.Main.txtShape_curvedRightArrow": "Kavisli Sağa Ok", "DE.Controllers.Main.txtShape_curvedUpArrow": "Kavisli Yukarı OK", "DE.Controllers.Main.txtShape_decagon": "Dekagon", "DE.Controllers.Main.txtShape_diagStripe": "Çapraz Çizgi", @@ -792,7 +792,7 @@ "DE.Controllers.Main.txtShape_rect": "Dikdörtgen", "DE.Controllers.Main.txtShape_ribbon": "Aşağı Ribbon", "DE.Controllers.Main.txtShape_ribbon2": "Yukarı Ribbon", - "DE.Controllers.Main.txtShape_rightArrow": "Sağ Ok", + "DE.Controllers.Main.txtShape_rightArrow": "Sağa Ok", "DE.Controllers.Main.txtShape_rightArrowCallout": "Sağ Ok Belirtme Çizgisi ", "DE.Controllers.Main.txtShape_rightBrace": "Sağ Ayraç", "DE.Controllers.Main.txtShape_rightBracket": "Sağ Köşeli Ayraç", @@ -807,16 +807,16 @@ "DE.Controllers.Main.txtShape_snip2SameRect": "Aynı Yan Köşe Dikdörtgeni Kes", "DE.Controllers.Main.txtShape_snipRoundRect": "Yuvarlak Tek Köşe Dikdörtgen Kes", "DE.Controllers.Main.txtShape_spline": "Eğri", - "DE.Controllers.Main.txtShape_star10": "10-Numara Yıldız", - "DE.Controllers.Main.txtShape_star12": "12-Numara Yıldız", - "DE.Controllers.Main.txtShape_star16": "16-Numara Yıldız", - "DE.Controllers.Main.txtShape_star24": "24-Numara Yıldız", - "DE.Controllers.Main.txtShape_star32": "32-Numara Yıldız", - "DE.Controllers.Main.txtShape_star4": "4-Numara Yıldız", - "DE.Controllers.Main.txtShape_star5": "5-Numara Yıldız", - "DE.Controllers.Main.txtShape_star6": "6-Numara Yıldız", - "DE.Controllers.Main.txtShape_star7": "7-Numara Yıldız", - "DE.Controllers.Main.txtShape_star8": "8-Numara Yıldız", + "DE.Controllers.Main.txtShape_star10": "10 Köşeli Yıldız", + "DE.Controllers.Main.txtShape_star12": "12 Köşeli Yıldız", + "DE.Controllers.Main.txtShape_star16": "16 Köşeli Yıldız", + "DE.Controllers.Main.txtShape_star24": "24 Köşeli Yıldız", + "DE.Controllers.Main.txtShape_star32": "32 Köşeli Yıldız", + "DE.Controllers.Main.txtShape_star4": "4 Köşeli Yıldız", + "DE.Controllers.Main.txtShape_star5": "5 Köşeli Yıldız", + "DE.Controllers.Main.txtShape_star6": "6 Köşeli Yıldız", + "DE.Controllers.Main.txtShape_star7": "7 Köşeli Yıldız", + "DE.Controllers.Main.txtShape_star8": "8 Köşeli Yıldız", "DE.Controllers.Main.txtShape_stripedRightArrow": "Çizgili Sağ Ok", "DE.Controllers.Main.txtShape_sun": "Güneş", "DE.Controllers.Main.txtShape_teardrop": "Damla", @@ -834,7 +834,7 @@ "DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Yuvarlak Dikdörtgen Belirtme ", "DE.Controllers.Main.txtStarsRibbons": "Yıldızlar & Kurdeleler", "DE.Controllers.Main.txtStyle_Caption": "Resim yazısı", - "DE.Controllers.Main.txtStyle_endnote_text": "Endnote metni", + "DE.Controllers.Main.txtStyle_endnote_text": "Son not metni", "DE.Controllers.Main.txtStyle_footnote_text": "Dipnot metni", "DE.Controllers.Main.txtStyle_Heading_1": "Başlık 1", "DE.Controllers.Main.txtStyle_Heading_2": "Başlık 2", @@ -891,7 +891,7 @@ "DE.Controllers.Statusbar.textSetTrackChanges": "Değişiklikleri İzle modundasınız", "DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled", "DE.Controllers.Statusbar.tipReview": "Değişiklikleri izle", - "DE.Controllers.Statusbar.zoomText": "Zum {0}%", + "DE.Controllers.Statusbar.zoomText": "Yakınlaştırma {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": "Bir veri URL'si yapıştırın", "DE.Controllers.Toolbar.notcriticalErrorTitle": "Uyarı", @@ -1199,7 +1199,7 @@ "DE.Controllers.Toolbar.txtSymbol_kappa": "Kappa", "DE.Controllers.Toolbar.txtSymbol_lambda": "Lambda", "DE.Controllers.Toolbar.txtSymbol_leftarrow": "Left Arrow", - "DE.Controllers.Toolbar.txtSymbol_leftrightarrow": "Left-Right Arrow", + "DE.Controllers.Toolbar.txtSymbol_leftrightarrow": "Sol-sağ ok", "DE.Controllers.Toolbar.txtSymbol_leq": "Less Than or Equal To", "DE.Controllers.Toolbar.txtSymbol_less": "Less Than", "DE.Controllers.Toolbar.txtSymbol_ll": "Much Less Than", @@ -1226,7 +1226,7 @@ "DE.Controllers.Toolbar.txtSymbol_qed": "End of Proof", "DE.Controllers.Toolbar.txtSymbol_rddots": "Up Right Diagonal Ellipsis", "DE.Controllers.Toolbar.txtSymbol_rho": "Rho", - "DE.Controllers.Toolbar.txtSymbol_rightarrow": "Right Arrow", + "DE.Controllers.Toolbar.txtSymbol_rightarrow": "Sağa Ok", "DE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", "DE.Controllers.Toolbar.txtSymbol_sqrt": "Radical Sign", "DE.Controllers.Toolbar.txtSymbol_tau": "Tau", @@ -1235,12 +1235,12 @@ "DE.Controllers.Toolbar.txtSymbol_times": "Multiplication Sign", "DE.Controllers.Toolbar.txtSymbol_uparrow": "Up Arrow", "DE.Controllers.Toolbar.txtSymbol_upsilon": "Upsilon", - "DE.Controllers.Toolbar.txtSymbol_varepsilon": "Epsilon Variant", - "DE.Controllers.Toolbar.txtSymbol_varphi": "Phi Variant", - "DE.Controllers.Toolbar.txtSymbol_varpi": "Pi Variant", - "DE.Controllers.Toolbar.txtSymbol_varrho": "Rho Variant", - "DE.Controllers.Toolbar.txtSymbol_varsigma": "Sigma Variant", - "DE.Controllers.Toolbar.txtSymbol_vartheta": "Theta Variant", + "DE.Controllers.Toolbar.txtSymbol_varepsilon": "Epsilon varyantı", + "DE.Controllers.Toolbar.txtSymbol_varphi": "Phi varyantı", + "DE.Controllers.Toolbar.txtSymbol_varpi": "Pi varyantı", + "DE.Controllers.Toolbar.txtSymbol_varrho": "Rho varyantı", + "DE.Controllers.Toolbar.txtSymbol_varsigma": "Sigma varyantı", + "DE.Controllers.Toolbar.txtSymbol_vartheta": "Teta Varyantı", "DE.Controllers.Toolbar.txtSymbol_vdots": "Vertical Ellipsis", "DE.Controllers.Toolbar.txtSymbol_xsi": "Xi", "DE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", @@ -1394,12 +1394,12 @@ "DE.Views.DocumentHolder.addCommentText": "Yorum Ekle", "DE.Views.DocumentHolder.advancedDropCapText": "Büyük Harf Ayarları", "DE.Views.DocumentHolder.advancedFrameText": "Çerçeve Gelişmiş Ayarlar", - "DE.Views.DocumentHolder.advancedParagraphText": "Paragraf Gelişmiş Ayarlar", + "DE.Views.DocumentHolder.advancedParagraphText": "Gelişmiş Paragraf Ayarları", "DE.Views.DocumentHolder.advancedTableText": "Tablo Gelişmiş Ayarlar", "DE.Views.DocumentHolder.advancedText": "Gelişmiş Ayarlar", "DE.Views.DocumentHolder.alignmentText": "Hiza", "DE.Views.DocumentHolder.belowText": "Altında", - "DE.Views.DocumentHolder.breakBeforeText": "Şundan önce sayfa kesmesi:", + "DE.Views.DocumentHolder.breakBeforeText": "Sonrasında yeni sayfaya geç", "DE.Views.DocumentHolder.bulletsText": "Madde ve Sayılar", "DE.Views.DocumentHolder.cellAlignText": "Hücre Dikey Hizalama", "DE.Views.DocumentHolder.cellText": "Hücre", @@ -1416,10 +1416,10 @@ "DE.Views.DocumentHolder.directionText": "Text Direction", "DE.Views.DocumentHolder.editChartText": "Veri düzenle", "DE.Views.DocumentHolder.editFooterText": "Altlığı Düzenle", - "DE.Views.DocumentHolder.editHeaderText": "Üstlüğü Düzenle", - "DE.Views.DocumentHolder.editHyperlinkText": "Hiper bağı düzenle", + "DE.Views.DocumentHolder.editHeaderText": "Üst Bilgiyi Düzenle", + "DE.Views.DocumentHolder.editHyperlinkText": "Köprüyü Düzenle", "DE.Views.DocumentHolder.guestText": "Misafir", - "DE.Views.DocumentHolder.hyperlinkText": "Hiper bağ", + "DE.Views.DocumentHolder.hyperlinkText": "Köprü", "DE.Views.DocumentHolder.ignoreAllSpellText": "Hepsini yoksay", "DE.Views.DocumentHolder.ignoreSpellText": "Yoksay", "DE.Views.DocumentHolder.imageText": "Resim Gelişmiş Ayarlar", @@ -1433,17 +1433,17 @@ "DE.Views.DocumentHolder.keepLinesText": "Satırları birlikte tut", "DE.Views.DocumentHolder.langText": "Dil Seç", "DE.Views.DocumentHolder.leftText": "Sol", - "DE.Views.DocumentHolder.loadSpellText": "Varyantlar yükleniyor...", + "DE.Views.DocumentHolder.loadSpellText": "Öneriler yükleniyor...", "DE.Views.DocumentHolder.mergeCellsText": "Hücreleri birleştir", - "DE.Views.DocumentHolder.moreText": "Daha fazla varyant...", - "DE.Views.DocumentHolder.noSpellVariantsText": "Varyant yok", + "DE.Views.DocumentHolder.moreText": "Daha fazla öneri...", + "DE.Views.DocumentHolder.noSpellVariantsText": "Öneri yok", "DE.Views.DocumentHolder.notcriticalErrorTitle": "Uyarı", "DE.Views.DocumentHolder.originalSizeText": "Gerçek Boyut", "DE.Views.DocumentHolder.paragraphText": "Paragraf", - "DE.Views.DocumentHolder.removeHyperlinkText": "Hiper bağı kaldır", + "DE.Views.DocumentHolder.removeHyperlinkText": "Köprüyü kaldır", "DE.Views.DocumentHolder.rightText": "Sağ", "DE.Views.DocumentHolder.rowText": "Satır", - "DE.Views.DocumentHolder.saveStyleText": "Create new style", + "DE.Views.DocumentHolder.saveStyleText": "Yeni stil oluştur", "DE.Views.DocumentHolder.selectCellText": "Hücre seçin", "DE.Views.DocumentHolder.selectColumnText": "Sütun Seçin", "DE.Views.DocumentHolder.selectRowText": "Satır Seç", @@ -1457,7 +1457,7 @@ "DE.Views.DocumentHolder.strDetails": "İmza Ayrıntıları", "DE.Views.DocumentHolder.strSetup": "İmza Kurulumu", "DE.Views.DocumentHolder.strSign": "İmzala", - "DE.Views.DocumentHolder.styleText": "Formatting as Style", + "DE.Views.DocumentHolder.styleText": "Stil Olarak Biçimlendirme", "DE.Views.DocumentHolder.tableText": "Tablo", "DE.Views.DocumentHolder.textAlign": "Hizala", "DE.Views.DocumentHolder.textArrange": "Düzenle", @@ -1673,7 +1673,7 @@ "DE.Views.EditListItemDialog.textValue": "Değer", "DE.Views.EditListItemDialog.textValueError": "Aynı değere sahip bir öğe zaten var.", "DE.Views.FileMenu.btnBackCaption": "Dosya konumunu aç", - "DE.Views.FileMenu.btnCloseMenuCaption": "Menüyü kapat", + "DE.Views.FileMenu.btnCloseMenuCaption": "Menüyü Kapat", "DE.Views.FileMenu.btnCreateNewCaption": "Yeni oluştur", "DE.Views.FileMenu.btnDownloadCaption": "Farklı İndir...", "DE.Views.FileMenu.btnExitCaption": "Çıkış", @@ -1699,7 +1699,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Yazar Ekle", "DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Metin Ekle", "DE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Uygulama", - "DE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Yayıncı", + "DE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Yazar", "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Erişim haklarını değiştir", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Yorum", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Oluşturuldu", @@ -1711,17 +1711,17 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Paragraflar", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Lokasyon", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Hakkı olan kişiler", - "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Aralıklarla simgeler", + "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Boşluklarla birlikte karakterler", "DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "İstatistikler", "DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Konu", - "DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Simgeler", + "DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Karakterler", "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Başlık", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Yüklendi", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Kelimeler", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Erişim haklarını değiştir", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Hakkı olan kişiler", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Uyarı", - "DE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Şifre ile", + "DE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Parola ile", "DE.Views.FileMenuPanels.ProtectDoc.strProtect": "Belgeyi koru", "DE.Views.FileMenuPanels.ProtectDoc.strSignature": "İmza ile", "DE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Belge Düzenle", @@ -1745,7 +1745,7 @@ "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ır Seçenekleri düğmesini göster", + "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", @@ -1753,7 +1753,7 @@ "DE.Views.FileMenuPanels.Settings.strStrict": "Strict", "DE.Views.FileMenuPanels.Settings.strTheme": "Arayüz teması", "DE.Views.FileMenuPanels.Settings.strUnit": "Ölçüm birimi", - "DE.Views.FileMenuPanels.Settings.strZoom": "Varsayılan Zum Değeri", + "DE.Views.FileMenuPanels.Settings.strZoom": "Varsayılan Yakınlaştırma Değeri", "DE.Views.FileMenuPanels.Settings.text10Minutes": "Her 10 dakika", "DE.Views.FileMenuPanels.Settings.text30Minutes": "Her 30 dakika", "DE.Views.FileMenuPanels.Settings.text5Minutes": "Her 5 Dakika", @@ -1780,7 +1780,7 @@ "DE.Views.FileMenuPanels.Settings.txtLast": "Sonuncuyu göster", "DE.Views.FileMenuPanels.Settings.txtLiveComment": "Canlı Yorum", "DE.Views.FileMenuPanels.Settings.txtMac": "OS X olarak", - "DE.Views.FileMenuPanels.Settings.txtNative": "Yerli", + "DE.Views.FileMenuPanels.Settings.txtNative": "Yerel", "DE.Views.FileMenuPanels.Settings.txtNone": "Hiçbirini gösterme", "DE.Views.FileMenuPanels.Settings.txtProofing": "Prova", "DE.Views.FileMenuPanels.Settings.txtPt": "Nokta", @@ -1871,7 +1871,7 @@ "DE.Views.HeaderFooterSettings.textDiffOdd": "Farklı tek ve çift sayfalar", "DE.Views.HeaderFooterSettings.textFrom": "Başlangıç", "DE.Views.HeaderFooterSettings.textHeaderFromBottom": "Alttan alt başlık", - "DE.Views.HeaderFooterSettings.textHeaderFromTop": "Yukarıdan Üst Başlık", + "DE.Views.HeaderFooterSettings.textHeaderFromTop": "Yukarıdan Üst Bilgi", "DE.Views.HeaderFooterSettings.textInsertCurrent": "Mevcut Pozisyona Ekle", "DE.Views.HeaderFooterSettings.textOptions": "Seçenekler", "DE.Views.HeaderFooterSettings.textPageNum": "Sayfa numarası ekle", @@ -1887,7 +1887,7 @@ "DE.Views.HyperlinkSettingsDialog.textDisplay": "Görüntüle", "DE.Views.HyperlinkSettingsDialog.textExternal": "Harici köprü", "DE.Views.HyperlinkSettingsDialog.textInternal": "Dökümana ekle", - "DE.Views.HyperlinkSettingsDialog.textTitle": "Köprü ayarları", + "DE.Views.HyperlinkSettingsDialog.textTitle": "Köprü Ayarları", "DE.Views.HyperlinkSettingsDialog.textTooltip": "Ekranİpucu metni", "DE.Views.HyperlinkSettingsDialog.textUrl": "Şuna bağlantıla:", "DE.Views.HyperlinkSettingsDialog.txtBeginning": "Döküman başlangıcı", @@ -2213,7 +2213,7 @@ "DE.Views.ParagraphSettingsAdvanced.noTabs": "Belirtilen sekmeler bu alanda görünecektir", "DE.Views.ParagraphSettingsAdvanced.strAllCaps": "Tüm başlıklar", "DE.Views.ParagraphSettingsAdvanced.strBorders": "Kenarlıklar & Dolgu", - "DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "Şundan önce sayfa kesmesi:", + "DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "Sonrasında yeni sayfaya geç", "DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Üstü çift çizili", "DE.Views.ParagraphSettingsAdvanced.strIndent": "Girintiler", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Sol", @@ -2285,14 +2285,14 @@ "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sınır yok", "DE.Views.RightMenu.txtChartSettings": "Grafik Ayarları", "DE.Views.RightMenu.txtFormSettings": "Form Ayarları", - "DE.Views.RightMenu.txtHeaderFooterSettings": "Üst Başlık ve Alt Başlık Ayarları", + "DE.Views.RightMenu.txtHeaderFooterSettings": "Üst ve Alt Bilgi ayarları", "DE.Views.RightMenu.txtImageSettings": "Resim Ayarları", "DE.Views.RightMenu.txtMailMergeSettings": "Mail Merge Settings", "DE.Views.RightMenu.txtParagraphSettings": "Paragraf Ayarları", "DE.Views.RightMenu.txtShapeSettings": "Şekil Ayarları", "DE.Views.RightMenu.txtSignatureSettings": "İmza ayarları", "DE.Views.RightMenu.txtTableSettings": "Tablo Ayarları", - "DE.Views.RightMenu.txtTextArtSettings": "Text Art Settings", + "DE.Views.RightMenu.txtTextArtSettings": "Yazı Sanatı ayarları", "DE.Views.ShapeSettings.strBackground": "Arka plan rengi", "DE.Views.ShapeSettings.strChange": "Otomatik Şeklini Değiştir", "DE.Views.ShapeSettings.strColor": "Renk", @@ -2374,7 +2374,7 @@ "DE.Views.SignatureSettings.txtSigned": "Belgeye geçerli imzalar eklendi. Belge, düzenlemeye karşı korumalıdır.", "DE.Views.SignatureSettings.txtSignedInvalid": "Belgedeki bazı dijital imzalar geçersiz veya doğrulanamadı. Belge, düzenlemeye karşı korumalıdır.", "DE.Views.Statusbar.goToPageText": "Sayfaya Git", - "DE.Views.Statusbar.pageIndexText": "{1}'in {0}. sayfası", + "DE.Views.Statusbar.pageIndexText": "Sayfa {0}/{1}", "DE.Views.Statusbar.tipFitPage": "Sayfaya Sığdır", "DE.Views.Statusbar.tipFitWidth": "Genişliğe Sığdır", "DE.Views.Statusbar.tipSetLang": "Metin Dili Belirle", @@ -2382,7 +2382,7 @@ "DE.Views.Statusbar.tipZoomIn": "Yakınlaştır", "DE.Views.Statusbar.tipZoomOut": "Uzaklaştır", "DE.Views.Statusbar.txtPageNumInvalid": "Sayı numarası geçersiz", - "DE.Views.StyleTitleDialog.textHeader": "Create New Style", + "DE.Views.StyleTitleDialog.textHeader": "Yeni stil oluştur", "DE.Views.StyleTitleDialog.textNextStyle": "Next paragraph style", "DE.Views.StyleTitleDialog.textTitle": "Title", "DE.Views.StyleTitleDialog.txtEmpty": "Bu alan gereklidir", @@ -2438,7 +2438,7 @@ "DE.Views.TableSettings.selectTableText": "Tablo Seç", "DE.Views.TableSettings.splitCellsText": "Hücreyi Böl...", "DE.Views.TableSettings.splitCellTitleText": "Hücreyi Böl", - "DE.Views.TableSettings.strRepeatRow": "Her sayfanın başında üst başlık sırası olarak tekrarla", + "DE.Views.TableSettings.strRepeatRow": "Her sayfanın en üstünde üst bilgi satırı olarak tekrarla", "DE.Views.TableSettings.textAddFormula": "Formül ekle", "DE.Views.TableSettings.textAdvanced": "Gelişmiş ayarları göster", "DE.Views.TableSettings.textBackColor": "Arka plan rengi", @@ -2453,7 +2453,7 @@ "DE.Views.TableSettings.textEdit": "Satırlar & Sütunlar", "DE.Views.TableSettings.textEmptyTemplate": "Şablon yok", "DE.Views.TableSettings.textFirst": "ilk", - "DE.Views.TableSettings.textHeader": "Üst Başlık", + "DE.Views.TableSettings.textHeader": "Üst Bilgi", "DE.Views.TableSettings.textHeight": "Yükseklik", "DE.Views.TableSettings.textLast": "Son", "DE.Views.TableSettings.textRows": "Satırlar", @@ -2607,13 +2607,13 @@ "DE.Views.Toolbar.capBtnInsControls": "İçerik Kontrolleri", "DE.Views.Toolbar.capBtnInsDropcap": "Büyük Harf", "DE.Views.Toolbar.capBtnInsEquation": "Denklem", - "DE.Views.Toolbar.capBtnInsHeader": "Üstbilgi/dipnot", + "DE.Views.Toolbar.capBtnInsHeader": "Üst/Alt Bilgi", "DE.Views.Toolbar.capBtnInsImage": "Resim", "DE.Views.Toolbar.capBtnInsPagebreak": "Sonlar", "DE.Views.Toolbar.capBtnInsShape": "Şekil", "DE.Views.Toolbar.capBtnInsSymbol": "Simge", "DE.Views.Toolbar.capBtnInsTable": "Tablo", - "DE.Views.Toolbar.capBtnInsTextart": "Metin art", + "DE.Views.Toolbar.capBtnInsTextart": "Yazı Sanatı", "DE.Views.Toolbar.capBtnInsTextbox": "Metin Kutusu", "DE.Views.Toolbar.capBtnLineNumbers": "Satır Numaraları", "DE.Views.Toolbar.capBtnMargins": "Kenar Boşlukları", @@ -2631,7 +2631,7 @@ "DE.Views.Toolbar.mniEditControls": "Kontrol Ayarları", "DE.Views.Toolbar.mniEditDropCap": "Büyük Harf Ayarları", "DE.Views.Toolbar.mniEditFooter": "Altlığı Düzenle", - "DE.Views.Toolbar.mniEditHeader": "Üstlüğü Düzenle", + "DE.Views.Toolbar.mniEditHeader": "Üst Bilgiyi Düzenle", "DE.Views.Toolbar.mniEraseTable": "Tabloyu sil", "DE.Views.Toolbar.mniFromFile": "Dosyadan", "DE.Views.Toolbar.mniFromStorage": "Depolama alanından", @@ -2668,13 +2668,13 @@ "DE.Views.Toolbar.textEditWatermark": "Özel Filigran", "DE.Views.Toolbar.textEvenPage": "Çift Sayfa", "DE.Views.Toolbar.textInMargin": "Kenar boşluğunda", - "DE.Views.Toolbar.textInsColumnBreak": "Sütun kesmesi ekle", + "DE.Views.Toolbar.textInsColumnBreak": "Sütun Sonu Ekle", "DE.Views.Toolbar.textInsertPageCount": "Sayfa sayısı ekle", "DE.Views.Toolbar.textInsertPageNumber": "Sayfa numarası ekle", - "DE.Views.Toolbar.textInsPageBreak": "Sayfa Kesmesi Ekle", - "DE.Views.Toolbar.textInsSectionBreak": "Bölüm kesmesi ekle", + "DE.Views.Toolbar.textInsPageBreak": "Sayfa Sonu Ekle", + "DE.Views.Toolbar.textInsSectionBreak": "Bölüm Sonu Ekle", "DE.Views.Toolbar.textInText": "Metinde", - "DE.Views.Toolbar.textItalic": "İtalik", + "DE.Views.Toolbar.textItalic": "Eğik", "DE.Views.Toolbar.textLandscape": "Yatay", "DE.Views.Toolbar.textLeft": "Sol:", "DE.Views.Toolbar.textListSettings": "Liste Ayarları", @@ -2703,19 +2703,19 @@ "DE.Views.Toolbar.textStrikeout": "Üstü çizili", "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.textStyleMenuNew": "Seçimden yeni stil", "DE.Views.Toolbar.textStyleMenuRestore": "Restore to default", "DE.Views.Toolbar.textStyleMenuRestoreAll": "Restore all to default styles", "DE.Views.Toolbar.textStyleMenuUpdate": "Seçimden güncelle", "DE.Views.Toolbar.textSubscript": "Altsimge", "DE.Views.Toolbar.textSuperscript": "Üstsimge", "DE.Views.Toolbar.textSuppressForCurrentParagraph": "Bu paragraf için gizle", - "DE.Views.Toolbar.textTabCollaboration": "Ortak çalışma", + "DE.Views.Toolbar.textTabCollaboration": "Ortak Çalışma", "DE.Views.Toolbar.textTabFile": "Dosya", "DE.Views.Toolbar.textTabHome": "Ana Sayfa", "DE.Views.Toolbar.textTabInsert": "Ekle", "DE.Views.Toolbar.textTabLayout": "Tasarım", - "DE.Views.Toolbar.textTabLinks": "Başvurular", + "DE.Views.Toolbar.textTabLinks": "Kaynakça", "DE.Views.Toolbar.textTabProtect": "Koruma", "DE.Views.Toolbar.textTabReview": "İnceleme", "DE.Views.Toolbar.textTabView": "Görüntüle", @@ -2725,7 +2725,7 @@ "DE.Views.Toolbar.textUnderline": "Altı çizili", "DE.Views.Toolbar.tipAlignCenter": "Ortaya hizala", "DE.Views.Toolbar.tipAlignJust": "İki yana yaslı", - "DE.Views.Toolbar.tipAlignLeft": "Sola Hizala", + "DE.Views.Toolbar.tipAlignLeft": "Sola hizala", "DE.Views.Toolbar.tipAlignRight": "Sağa hizala", "DE.Views.Toolbar.tipBack": "Geri", "DE.Views.Toolbar.tipBlankPage": "Boş sayfa ekle", @@ -2738,10 +2738,10 @@ "DE.Views.Toolbar.tipCopy": "Kopyala", "DE.Views.Toolbar.tipCopyStyle": "Stili Kopyala", "DE.Views.Toolbar.tipDateTime": "Şimdiki tarih ve saati ekle", - "DE.Views.Toolbar.tipDecFont": "Yazı Boyutu Azaltımı", - "DE.Views.Toolbar.tipDecPrLeft": "Girintiyi Azalt", + "DE.Views.Toolbar.tipDecFont": "Yazı boyutunu azalt", + "DE.Views.Toolbar.tipDecPrLeft": "Girintiyi azalt", "DE.Views.Toolbar.tipDropCap": "Büyük Harf Ekle", - "DE.Views.Toolbar.tipEditHeader": "Alt yada üst başlığı düzenle", + "DE.Views.Toolbar.tipEditHeader": "Alt veya üst bilgiyi düzenle", "DE.Views.Toolbar.tipFontColor": "Yazı Tipi Rengi", "DE.Views.Toolbar.tipFontName": "Yazı Tipi", "DE.Views.Toolbar.tipFontSize": "Yazıtipi boyutu", @@ -2749,8 +2749,8 @@ "DE.Views.Toolbar.tipImgAlign": "Objeleri hizala", "DE.Views.Toolbar.tipImgGroup": "Grup objeleri", "DE.Views.Toolbar.tipImgWrapping": "Metni Kaydır", - "DE.Views.Toolbar.tipIncFont": "Yazı Tipi Boyut Arttırımı", - "DE.Views.Toolbar.tipIncPrLeft": "Girintiyi Arttır", + "DE.Views.Toolbar.tipIncFont": "Yazı boyutunu arttır", + "DE.Views.Toolbar.tipIncPrLeft": "Girintiyi arttır", "DE.Views.Toolbar.tipInsertChart": "Tablo ekle", "DE.Views.Toolbar.tipInsertEquation": "Insert Equation", "DE.Views.Toolbar.tipInsertImage": "Resim ekle", @@ -2759,12 +2759,12 @@ "DE.Views.Toolbar.tipInsertSymbol": "Simge ekle", "DE.Views.Toolbar.tipInsertTable": "Tablo ekle", "DE.Views.Toolbar.tipInsertText": "Metin kutusu ekle", - "DE.Views.Toolbar.tipInsertTextArt": "Metin Art Ekle", + "DE.Views.Toolbar.tipInsertTextArt": "Yazı Sanatı Ekle", "DE.Views.Toolbar.tipLineNumbers": "Satır numaralarını göster", - "DE.Views.Toolbar.tipLineSpace": "Paragraf Satır Aralığı", + "DE.Views.Toolbar.tipLineSpace": "Paragraf satır aralığı", "DE.Views.Toolbar.tipMailRecepients": "Mail Merge", "DE.Views.Toolbar.tipMarkers": "Maddeler", - "DE.Views.Toolbar.tipMultilevels": "Çerçeve", + "DE.Views.Toolbar.tipMultilevels": "Çok düzeyli liste", "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ı", @@ -2774,7 +2774,7 @@ "DE.Views.Toolbar.tipPaste": "Yapıştır", "DE.Views.Toolbar.tipPrColor": "Paragraf Arka Plan Rengi", "DE.Views.Toolbar.tipPrint": "Yazdır", - "DE.Views.Toolbar.tipRedo": "Tekrar yap", + "DE.Views.Toolbar.tipRedo": "Yinele", "DE.Views.Toolbar.tipSave": "Kaydet", "DE.Views.Toolbar.tipSaveCoauth": "Diğer kullanıcıların görmesi için değişikliklerinizi kaydedin.", "DE.Views.Toolbar.tipSendBackward": "Geri taşı", @@ -2829,7 +2829,7 @@ "DE.Views.WatermarkSettingsDialog.textFromUrl": "URL adresinden", "DE.Views.WatermarkSettingsDialog.textHor": "Yatay", "DE.Views.WatermarkSettingsDialog.textImageW": "Resim filigranı", - "DE.Views.WatermarkSettingsDialog.textItalic": "İtalik", + "DE.Views.WatermarkSettingsDialog.textItalic": "Eğik", "DE.Views.WatermarkSettingsDialog.textLanguage": "Dil", "DE.Views.WatermarkSettingsDialog.textLayout": "Yerleşim", "DE.Views.WatermarkSettingsDialog.textNone": "Filigran Yok", diff --git a/apps/documenteditor/main/locale/uk.json b/apps/documenteditor/main/locale/uk.json index 8c164e72f..ca8b50ec7 100644 --- a/apps/documenteditor/main/locale/uk.json +++ b/apps/documenteditor/main/locale/uk.json @@ -26,7 +26,7 @@ "Common.Controllers.ReviewChanges.textDStrikeout": "Подвійне перекреслення", "Common.Controllers.ReviewChanges.textEquation": "Рівняння", "Common.Controllers.ReviewChanges.textExact": "Точно", - "Common.Controllers.ReviewChanges.textFirstLine": "Перша лінія", + "Common.Controllers.ReviewChanges.textFirstLine": "Перший рядок", "Common.Controllers.ReviewChanges.textFontSize": "Розмір шрифту", "Common.Controllers.ReviewChanges.textFormatted": "Форматований", "Common.Controllers.ReviewChanges.textHighlight": "Колір позначення", @@ -168,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": "Введіть текст заміни", @@ -211,6 +213,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Стилі маркованих списків", "Common.Views.AutoCorrectDialog.textBy": "На", "Common.Views.AutoCorrectDialog.textDelete": "Видалити", + "Common.Views.AutoCorrectDialog.textFLCells": "Робити перші літери в клітинках таблиць великими", "Common.Views.AutoCorrectDialog.textFLSentence": "Писати речення з великої літери", "Common.Views.AutoCorrectDialog.textHyperlink": "Адреси в інтернеті та мережі гіперпосиланнями", "Common.Views.AutoCorrectDialog.textHyphens": "Дефіси (--) на тире (—)", @@ -236,12 +239,14 @@ "Common.Views.Comments.mniAuthorDesc": "За автором від Я до А", "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 +260,7 @@ "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": "Копіювати, вирізати та вставити дії", @@ -431,6 +437,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": "Редагувати", @@ -511,10 +518,10 @@ "DE.Controllers.Main.criticalErrorExtText": "Клацніть \"Гаразд\", щоб повернутися до списку документів.", "DE.Controllers.Main.criticalErrorTitle": "Помилка", "DE.Controllers.Main.downloadErrorText": "Звантаження не вдалося", - "DE.Controllers.Main.downloadMergeText": "Звантаження...", - "DE.Controllers.Main.downloadMergeTitle": "Звантаження", + "DE.Controllers.Main.downloadMergeText": "Завантаження...", + "DE.Controllers.Main.downloadMergeTitle": "Завантаження", "DE.Controllers.Main.downloadTextText": "Завантаження документу...", - "DE.Controllers.Main.downloadTitleText": "Звантаження документу", + "DE.Controllers.Main.downloadTitleText": "Завантаження документу", "DE.Controllers.Main.errorAccessDeny": "Ви намагаєтеся виконати дію, у якої у вас немає прав.
Будь ласка, зв'яжіться з адміністратором вашого Сервера документів.", "DE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна", "DE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Документ не можна редагувати прямо зараз.", @@ -525,7 +532,7 @@ "DE.Controllers.Main.errorDataEncrypted": "Отримані зашифровані зміни, їх неможливо розшифрувати.", "DE.Controllers.Main.errorDataRange": "Неправильний діапазон даних.", "DE.Controllers.Main.errorDefaultMessage": "Код помилки: %1 ", - "DE.Controllers.Main.errorDirectUrl": "Будь ласка, перевірте посилання на документ.
Це посилання має бути прямим лінком на файл для звантаження.", + "DE.Controllers.Main.errorDirectUrl": "Будь ласка, перевірте посилання на документ.
Це посилання має бути прямим лінком на файл для завантаження.", "DE.Controllers.Main.errorEditingDownloadas": "Помилка під час роботи з документом.
Будь ласка, скористайтеся пунктом \"Завантажити як...\" для збереження резервної копії на ваш локальний диск.", "DE.Controllers.Main.errorEditingSaveas": "В ході роботі з документом виникла помилка.
Використовуйте опцію 'Зберегти як...' щоб зберегти резервну копію файлу на диск комп'ютера.", "DE.Controllers.Main.errorEmailClient": "Не знайдений поштовий клієнт", @@ -602,6 +609,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": "Введіть ім'я, що буде використовуватись для спільної роботи", @@ -667,7 +675,7 @@ "DE.Controllers.Main.txtShape_actionButtonEnd": "Кнопка \"В кінець\"", "DE.Controllers.Main.txtShape_actionButtonForwardNext": "Кнопка \"Вперед\"", "DE.Controllers.Main.txtShape_actionButtonHelp": "Кнопка \"Довідка\"", - "DE.Controllers.Main.txtShape_actionButtonHome": "Кнопка Домівка", + "DE.Controllers.Main.txtShape_actionButtonHome": "Кнопка \"На головну\"", "DE.Controllers.Main.txtShape_actionButtonInformation": "Інформаційна кнопка", "DE.Controllers.Main.txtShape_actionButtonMovie": "Кнопка відео", "DE.Controllers.Main.txtShape_actionButtonReturn": "Кнопка повернення", @@ -879,6 +887,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,10 +911,22 @@ "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.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": "Стрілка вліво вгору", @@ -1281,9 +1302,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": "Тісно", @@ -1457,6 +1478,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": "Перевернути вертикально", @@ -1505,6 +1527,14 @@ "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": "Додати фракційну панель", @@ -1516,7 +1546,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": "Вирівнювання стовпчика", @@ -1552,8 +1582,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": "Вставити ручне переривання", @@ -1871,6 +1901,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": "За розміром меж", @@ -1885,14 +1916,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": "Тісно", @@ -1965,9 +1997,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": "Тісно", @@ -1975,7 +2007,7 @@ "DE.Views.LeftMenu.tipAbout": "Про", "DE.Views.LeftMenu.tipChat": "Чат", "DE.Views.LeftMenu.tipComments": "Коментарі", - "DE.Views.LeftMenu.tipNavigation": "Структура", + "DE.Views.LeftMenu.tipNavigation": "Навігація", "DE.Views.LeftMenu.tipPlugins": "Плагіни", "DE.Views.LeftMenu.tipSearch": "Пошук", "DE.Views.LeftMenu.tipSupport": "Відгуки і підтримка", @@ -2155,6 +2187,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": "Праворуч", @@ -2290,6 +2327,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": "Вибрати зображення", @@ -2301,7 +2339,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": "Картинка", @@ -2309,8 +2347,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": "Немає лінії", @@ -2570,7 +2608,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": "Форма", @@ -2675,12 +2713,13 @@ "DE.Views.Toolbar.textSuppressForCurrentParagraph": "Відключити для поточного абзацу", "DE.Views.Toolbar.textTabCollaboration": "Співпраця", "DE.Views.Toolbar.textTabFile": "Файл", - "DE.Views.Toolbar.textTabHome": "Домівка", + "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": "Верх:", @@ -2772,6 +2811,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/zh.json b/apps/documenteditor/main/locale/zh.json index fd2af8d49..541aa28d4 100644 --- a/apps/documenteditor/main/locale/zh.json +++ b/apps/documenteditor/main/locale/zh.json @@ -168,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": "输入替换文字", @@ -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,7 @@ "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": "复制,剪切和粘贴操作", @@ -431,6 +438,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,6 +512,7 @@ "DE.Controllers.LeftMenu.txtCompatible": "文档将保存为新格式。它将允许使用所有编辑器功能,但可能会影响文档布局。
如果要使文档与旧版微软 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": "加载更改", @@ -602,6 +611,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": "输入名称,可用于协作。", @@ -879,6 +889,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,10 +913,22 @@ "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.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": "向左箭头", @@ -1146,7 +1169,7 @@ "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": "中线水平省略号", @@ -1281,9 +1304,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": "紧", @@ -1380,7 +1403,7 @@ "DE.Views.DocumentHolder.alignmentText": "对齐", "DE.Views.DocumentHolder.belowText": "下面", "DE.Views.DocumentHolder.breakBeforeText": "分页前", - "DE.Views.DocumentHolder.bulletsText": "子弹和编号", + "DE.Views.DocumentHolder.bulletsText": "符号和编号", "DE.Views.DocumentHolder.cellAlignText": "单元格垂直对齐", "DE.Views.DocumentHolder.cellText": "元件", "DE.Views.DocumentHolder.centerText": "中心", @@ -1439,6 +1462,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 +1481,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 +1497,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": "删除候选列表", @@ -1505,6 +1531,14 @@ "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": "添加分数栏", @@ -1516,7 +1550,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": "列对齐", @@ -1552,8 +1586,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": "插入手动中断", @@ -1793,7 +1827,7 @@ "DE.Views.FormSettings.textRequired": "必填", "DE.Views.FormSettings.textScale": "何时按倍缩放?", "DE.Views.FormSettings.textSelectImage": "选择图像", - "DE.Views.FormSettings.textTip": "贴士", + "DE.Views.FormSettings.textTip": "提示", "DE.Views.FormSettings.textTipAdd": "新增值", "DE.Views.FormSettings.textTipDelete": "刪除值", "DE.Views.FormSettings.textTipDown": "下移", @@ -1871,6 +1905,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": "适合边距", @@ -1885,14 +1920,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": "紧", @@ -1965,9 +2001,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": "紧", @@ -2039,7 +2075,7 @@ "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": "像文字一样", @@ -2155,6 +2191,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": "右", @@ -2256,7 +2297,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": "颜色", @@ -2290,6 +2331,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": "选取图片", @@ -2301,7 +2343,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": "纸板", @@ -2309,8 +2351,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": "没有线", @@ -2340,6 +2382,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": "放大", @@ -2570,13 +2614,13 @@ "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": "形状", "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": "边距", @@ -2681,6 +2725,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": "顶边: ", @@ -2721,11 +2766,11 @@ "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.tipMarkers": "项目符号", "DE.Views.Toolbar.tipMultilevels": "多级列表", "DE.Views.Toolbar.tipNumbers": "编号", "DE.Views.Toolbar.tipPageBreak": "插入页面或分节符", @@ -2772,6 +2817,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/resources/img/toolbar/1.25x/btn-hand-tool.png b/apps/documenteditor/main/resources/img/toolbar/1.25x/btn-hand-tool.png new file mode 100644 index 000000000..ff0088d29 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.25x/btn-hand-tool.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.25x/btn-select-tool.png b/apps/documenteditor/main/resources/img/toolbar/1.25x/btn-select-tool.png new file mode 100644 index 000000000..5b4605ba2 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.25x/btn-select-tool.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/btn-hand-tool.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/btn-hand-tool.png new file mode 100644 index 000000000..ec1cfccd5 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/btn-hand-tool.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/btn-select-tool.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/btn-select-tool.png new file mode 100644 index 000000000..44314a2f0 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/btn-select-tool.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.75x/btn-hand-tool.png b/apps/documenteditor/main/resources/img/toolbar/1.75x/btn-hand-tool.png new file mode 100644 index 000000000..0436e3111 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.75x/btn-hand-tool.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.75x/btn-select-tool.png b/apps/documenteditor/main/resources/img/toolbar/1.75x/btn-select-tool.png new file mode 100644 index 000000000..b749b840c Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.75x/btn-select-tool.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/btn-hand-tool.png b/apps/documenteditor/main/resources/img/toolbar/1x/btn-hand-tool.png new file mode 100644 index 000000000..52eb5d6b1 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/btn-hand-tool.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/btn-select-tool.png b/apps/documenteditor/main/resources/img/toolbar/1x/btn-select-tool.png new file mode 100644 index 000000000..375cb606b Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/btn-select-tool.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/btn-hand-tool.png b/apps/documenteditor/main/resources/img/toolbar/2x/btn-hand-tool.png new file mode 100644 index 000000000..9e5517eee Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/btn-hand-tool.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/btn-select-tool.png b/apps/documenteditor/main/resources/img/toolbar/2x/btn-select-tool.png new file mode 100644 index 000000000..b92b1e6c1 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/btn-select-tool.png differ diff --git a/apps/documenteditor/main/resources/less/layout.less b/apps/documenteditor/main/resources/less/layout.less index b7e06902d..61bac8163 100644 --- a/apps/documenteditor/main/resources/less/layout.less +++ b/apps/documenteditor/main/resources/less/layout.less @@ -19,8 +19,6 @@ body { } #viewport { - overflow: scroll; - &::-webkit-scrollbar { width: 0; height: 0; @@ -43,6 +41,7 @@ label { background-color: @background-toolbar-ie; background-color: @background-toolbar; overflow: hidden; + scroll-behavior: smooth; // chromium bug890248 (Bug 39614) } .layout-region { diff --git a/apps/documenteditor/main/resources/less/navigation.less b/apps/documenteditor/main/resources/less/navigation.less index 026c76f0c..475a4e7ea 100644 --- a/apps/documenteditor/main/resources/less/navigation.less +++ b/apps/documenteditor/main/resources/less/navigation.less @@ -35,5 +35,11 @@ .name.not-header { font-style: italic; } + + .name { + white-space: pre-wrap; + word-break: break-all; + max-height: 350px; + } } } diff --git a/apps/documenteditor/main/resources/less/statusbar.less b/apps/documenteditor/main/resources/less/statusbar.less index 73a76acb8..a20d7e158 100644 --- a/apps/documenteditor/main/resources/less/statusbar.less +++ b/apps/documenteditor/main/resources/less/statusbar.less @@ -164,4 +164,12 @@ } } } + + .hide-select-tools { + display: none; + } + + #btn-select-tool { + margin-right: 8px; + } } diff --git a/apps/documenteditor/mobile/locale/be.json b/apps/documenteditor/mobile/locale/be.json index a33c05493..5d3cf75ac 100644 --- a/apps/documenteditor/mobile/locale/be.json +++ b/apps/documenteditor/mobile/locale/be.json @@ -1,626 +1,626 @@ { "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\"" }, "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", + "notcriticalErrorTitle": "Увага", + "textAccept": "Ухваліць", + "textAcceptAllChanges": "Ухваліць усе змены", + "textAddComment": "Дадаць каментар", + "textAddReply": "Дадаць адказ", + "textAllChangesAcceptedPreview": "Усе змены ўхваленыя (папярэдні прагляд)", + "textAllChangesEditing": "Усе змены (рэдагаванне)", + "textAllChangesRejectedPreview": "Усе змены адкінутыя (папярэдні прагляд)", + "textAtLeast": "мінімум", + "textAuto": "аўта", + "textBack": "Назад", + "textBaseline": "Базавая лінія", + "textBold": "Тоўсты", + "textBreakBefore": "З новай старонкі", + "textCancel": "Скасаваць", + "textCaps": "Усе ў верхнім рэгістры", + "textCenter": "Выраўнаваць па цэнтры", + "textChart": "Дыяграма", + "textCollaboration": "Сумесная праца", + "textColor": "Колер шрыфту", + "textComments": "Каментары", + "textDelete": "Выдаліць", + "textDeleteComment": "Выдаліць каментар", + "textDeleteReply": "Выдаліць адказ", + "textDisplayMode": "Адлюстраванне", + "textDone": "Завершана", + "textDStrikeout": "Падвойнае закрэсліванне", + "textEdit": "Рэдагаваць", + "textEditComment": "Рэдагаваць каментар", + "textEditReply": "Рэдагаваць адказ", + "textEditUser": "Дакумент рэдагуецца карыстальнікамі:", + "textEquation": "Раўнанне", + "textExact": "дакладна", + "textFinal": "Выніковы дакумент", + "textFirstLine": "Першы радок", + "textFormatted": "Адфарматавана", + "textHighlight": "Колер падсвятлення", + "textImage": "Выява", + "textIndentLeft": "Водступ злева", + "textIndentRight": "Водступ справа", + "textItalic": "Курсіў", + "textJustify": "Па шырыні", + "textKeepLines": "Не падзяляць абзац", + "textKeepNext": "Не адасобліваць ад наступнага", + "textLeft": "Выраўнаваць па леваму краю", + "textLineSpacing": "Прамежак паміж радкамі:", + "textMarkup": "Змены", + "textMessageDeleteComment": "Сапраўды хочаце выдаліць гэты каментар?", + "textMessageDeleteReply": "Сапраўды хочаце выдаліць гэты адказ?", + "textMultiple": "множнік", + "textNoBreakBefore": "Не з новай старонкі", + "textNoChanges": "Змен няма.", + "textNoComments": "Да гэтага дакумента няма каментароў", + "textNoContextual": "Дадаваць прамежак паміж абзацамі аднаго стылю", + "textNoKeepLines": "Дазволіць разрыў абзаца ", + "textNoKeepNext": "Дазволіць адрываць ад наступнага", + "textNot": "Не", + "textNum": "Змяніць нумарацыю", + "textOk": "Добра", + "textOriginal": "Зыходны дакумент", + "textParaFormatted": "Абзац адфарматаваны", + "textPosition": "Пазіцыя", + "textReject": "Адхіліць", + "textRejectAllChanges": "Адхіліць усе змены", + "textReopen": "Адкрыць зноў", + "textResolve": "Вырашыць", + "textReview": "Перагляд", + "textReviewChange": "Прагляд змен", + "textRight": "Выраўнаваць па праваму краю", + "textShape": "Фігура", + "textShd": "Колер фону", + "textSmallCaps": "Малыя прапісныя", + "textSpacing": "Прамежак", + "textSpacingAfter": "Прамежак пасля", + "textSpacingBefore": "Прамежак перад", + "textStrikeout": "Закрэслены", + "textSubScript": "Падрадковыя", + "textSuperScript": "Надрадковыя", + "textTabs": "Змяніць табуляцыі", + "textTrackChanges": "Адсочванне змен", + "textTryUndoRedo": "Функцыі скасавання і паўтору дзеянняў выключаныя ў хуткім рэжыме сумеснага рэдагавання.", + "textUnderline": "Падкрэслены", + "textUsers": "Карыстальнікі", "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" + "textWidow": "Widow control" }, "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", + "errorCopyCutPaste": "Аперацыі капіявання, выразання і ўстаўкі праз кантэкстнае меню будуць выконвацца толькі ў бягучым файле.", + "menuAddComment": "Дадаць каментар", + "menuAddLink": "Дадаць спасылку", + "menuCancel": "Скасаваць", + "menuContinueNumbering": "Працягнуць нумарацыю", + "menuDelete": "Выдаліць", + "menuDeleteTable": "Выдаліць табліцу", + "menuEdit": "Рэдагаваць", + "menuJoinList": "Аб’яднаць з папярэднім спісам", + "menuMerge": "Аб’яднаць", + "menuMore": "Больш", + "menuOpenLink": "Адкрыць спасылку", + "menuReview": "Перагляд", + "menuReviewChange": "Прагляд змен", + "menuSeparateList": "Падзяліць спіс", + "menuStartNewList": "Распачаць новы спіс", + "menuStartNumberingFrom": "Вызначыць першапачатковае значэнне", + "menuViewComment": "Праглядзець каментар", + "textCancel": "Скасаваць", + "textColumns": "Слупкі", + "textCopyCutPasteActions": "Скапіяваць, выразаць, уставіць", + "textNumberingValue": "Пачатковае значэнне", + "textOk": "Добра", + "textRows": "Радкі", "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" + "textDoNotShowAgain": "Don't show again" }, "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", + "notcriticalErrorTitle": "Увага", + "textActualSize": "Актуальны памер", + "textAddCustomColor": "Дадаць адвольны колер", + "textAdditional": "Дадаткова", + "textAdditionalFormatting": "Дадатковае фарматаванне", + "textAddress": "Адрас", + "textAdvanced": "Дадаткова", + "textAdvancedSettings": "Дадатковыя налады", + "textAfter": "Пасля", + "textAlign": "Выраўноўванне", + "textAllCaps": "Усе ў верхнім рэгістры", + "textAllowOverlap": "Дазволіць перакрыццё", + "textApril": "красавік", + "textAugust": "жнівень", + "textAuto": "аўта", + "textAutomatic": "Аўтаматычна", + "textBack": "Назад", + "textBackground": "Фон", + "textBandedColumn": "Чаргаваць слупкі", + "textBandedRow": "Чаргаваць радкі", + "textBefore": "Перад", + "textBorder": "Мяжа", + "textBringToForeground": "Перанесці на пярэдні план", + "textBullets": "Адзнакі", + "textCellMargins": "Палі ячэйкі", + "textChart": "Дыяграма", + "textClose": "Закрыць", + "textColor": "Колер", + "textContinueFromPreviousSection": "Працягнуць", + "textCustomColor": "Адвольны колер", + "textDecember": "Снежань", + "textDesign": "Выгляд", + "textDifferentFirstPage": "Асобны для першай старонкі", + "textDifferentOddAndEvenPages": "Асобныя для цотных і няцотных", + "textDisplay": "Паказаць", + "textDistanceFromText": "Адлегласць да тэксту", + "textDoubleStrikethrough": "Падвойнае закрэсліванне", + "textEditLink": "Рэдагаваць спасылку", + "textEffects": "Эфекты", + "textEmpty": "Пуста", + "textEmptyImgUrl": "Неабходна вызначыць URL-адрас выявы.", + "textFebruary": "Люты", + "textFill": "Заліўка", + "textFirstColumn": "Першы слупок", + "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": "Няма", + "textNotUrl": "Гэтае поле мусіць быць URL-адрасам фармату \"http://www.example.com\"", + "textNovember": "Лістапад", + "textNumbers": "Нумарацыя", + "textOctober": "Кастрычнік", + "textOk": "Добра", + "textOpacity": "Непразрыстасць", + "textOptions": "Параметры", + "textOrphanControl": "Кіраванне вісячымі радкамі", + "textPageBreakBefore": "З новай старонкі", + "textPageNumbering": "Нумарацыя старонак", + "textParagraph": "Абзац", + "textParagraphStyles": "Стылі абзаца", + "textPictureFromLibrary": "Выява з бібліятэкі", + "textPictureFromURL": "Выява па URL", + "textPt": "пт", + "textRemoveChart": "Выдаліць дыяграму", + "textRemoveImage": "Выдаліць выяву", + "textRemoveLink": "Выдаліць спасылку", + "textRemoveShape": "Выдаліць фігуру", + "textRemoveTable": "Выдаліць табліцу", + "textReorder": "Перапарадкаваць", + "textRepeatAsHeaderRow": "Паўтараць як загаловак", + "textReplace": "Замяніць", + "textReplaceImage": "Замяніць выяву", + "textResizeToFitContent": "Расцягнуць да памераў змесціва", + "textSa": "Сб", + "textScreenTip": "Падказка", + "textSendToBackground": "Перамясціць у фон", + "textSeptember": "Верасень", + "textSettings": "Налады", + "textShape": "Фігура", + "textSize": "Памер", + "textSmallCaps": "Малыя прапісныя", + "textSpaceBetweenParagraphs": "Прамежак паміж абзацамі", + "textStartAt": "Пачаць з", + "textStrikethrough": "Закрэсліванне", + "textStyle": "Стыль", + "textStyleOptions": "Параметры стылю", + "textSu": "Нд", + "textSubscript": "Падрадковыя", + "textSuperscript": "Надрадковыя", + "textTable": "Табліца", + "textTableOptions": "Параметры табліцы", + "textText": "Тэкст", + "textTh": "Чц", + "textThrough": "Скразное", + "textTight": "Па межах", + "textTopAndBottom": "Уверсе і ўнізе", + "textTotalRow": "Радок вынікаў", + "textTu": "Аў", + "textType": "Тып", + "textWe": "Сер", + "textWrap": "Абцяканне", + "textBehind": "Behind Text", "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", - "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" + "textSquare": "Square" }, "Error": { - "convertationTimeoutText": "Conversion timeout exceeded.", + "convertationTimeoutText": "Час чакання пераўтварэння сышоў.", + "criticalErrorTitle": "Памылка", + "downloadErrorText": "Не атрымалася спампаваць.", + "errorBadImageUrl": "Хібны URL-адрас выявы", + "errorDatabaseConnection": "Вонкавая памылка.
Памылка злучэння з базай даных. Калі ласка, звярніцеся ў службу падтрымкі.", + "errorDataEncrypted": "Атрыманы зашыфраваныя змены, іх немагчыма расшыфраваць.", + "errorDataRange": "Хібны дыяпазон даных.", + "errorDefaultMessage": "Код памылкі: %1", + "errorKeyEncrypt": "Невядомы дэскрыптар ключа", + "errorKeyExpire": "Тэрмін дзеяння дэскрыптара ключа сышоў", + "errorMailMergeSaveFile": "Не атрымалася аб’яднаць.", + "errorUpdateVersionOnDisconnect": "Злучэнне з інтэрнэтам было адноўлена, і версія файла змянілася.
Перш чым працягнуць працу, неабходна спампаваць файл альбо скапіяваць яго змесціва, каб захаваць даныя, а пасля перазагрузіць старонку.", + "errorUsersExceed": "Перасягнута колькасць карыстальнікаў, дазволеных згодна тарыфу", + "notcriticalErrorTitle": "Увага", + "splitDividerErrorText": "Колькасць радкоў мусіць быць дзельнікам для %1", + "splitMaxColsErrorText": "Колькасць слупкоў павінна быць меншай за %1", + "splitMaxRowsErrorText": "Колькасць радкоў павінна быць меншай за %1", + "unknownErrorText": "Невядомая памылка.", + "uploadImageExtMessage": "Невядомы фармат выявы.", + "uploadImageFileCountMessage": "Выяў не запампавана.", "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", + "errorLoadingFont": "Fonts are not loaded.
Please contact your Document Server administrator.", "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", + "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.", "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." + "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB." }, "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": "Памылка", + "errorProcessSaveResult": "Не атрымалася захаваць", + "errorServerVersion": "Рэдактар быў абноўлены. Старонка перазагрузіцца, каб ужыць змены.", + "errorUpdateVersion": "Версія файла была змененая. Старонка будзе перазагружаная.", + "notcriticalErrorTitle": "Увага", "SDK": { + "above": "вышэй", + "below": "ніжэй", + "Caption": "Назва", + "Choose an item": "Абярыце элемент", + "Current Document": "Бягучы дакумент", + "Diagram Title": "Загаловак дыяграмы", + "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": "У дакуменце няма загалоўкаў. Выкарыстайце стыль загалоўка да тэксту, каб ён з’явіўся ў змесце.", + "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": "Змест", + "The Formula Not In Table": "Формула не ў табліцы", + "Title": "Назва", + "Undefined Bookmark": "Закладка не вызначаная", + "Unexpected End of Formula": "Нечаканае завяршэнне формулы", + "Y Axis": "Вось Y", " -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" }, - "textAnonymous": "Anonymous", - "textBuyNow": "Visit website", - "textClose": "Close", - "textContactUs": "Contact sales", + "textAnonymous": "Ананімны карыстальнік", + "textBuyNow": "Наведаць сайт", + "textClose": "Закрыць", + "textContactUs": "Аддзел продажаў", + "textGuest": "Госць", + "textHasMacros": "Файл змяшчае макрасы з аўтазапускам.
Хочаце запусціць макрасы?", + "textNo": "Не", + "textNoLicenseTitle": "Ліцэнзійнае абмежаванне", + "textNoTextFound": "Тэкст не знойдзены", + "textPaidFeature": "Платная функцыя", + "textReplaceSkipped": "Заменена. Мінута ўваходжанняў - {0}.", + "textReplaceSuccess": "Пошук завершаны. Заменена ўваходжанняў: {0}", + "textYes": "Так", + "titleLicenseExp": "Тэрмін дзеяння ліцэнзіі сышоў", + "titleServerVersion": "Рэдактар абноўлены", + "titleUpdateVersion": "Версія змянілася", + "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.", + "leavePageText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", "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", + "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 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" + "warnProcessRightsChange": "You don't have permission to edit this file." }, "Settings": { - "advDRMOptions": "Protected File", - "advDRMPassword": "Password", - "advTxtOptions": "Choose TXT Options", - "closeButtonText": "Close File", - "notcriticalErrorTitle": "Warning", + "advDRMOptions": "Абаронены файл", + "advDRMPassword": "Пароль", + "advTxtOptions": "Абраць параметры TXT", + "closeButtonText": "Закрыць файл", + "notcriticalErrorTitle": "Увага", + "textApplication": "Дадатак", + "textApplicationSettings": "Налады праграмы", + "textAuthor": "Аўтар", + "textBack": "Назад", + "textBottom": "Ніжняе", + "textCancel": "Скасаваць", + "textCaseSensitive": "Улічваць рэгістр", + "textCentimeter": "Сантыметр", + "textChooseTxtOptions": "Абраць параметры TXT", + "textCollaboration": "Сумесная праца", + "textColorSchemes": "Каляровыя схемы", + "textComment": "Каментар", + "textComments": "Каментары", + "textCommentsDisplay": "Адлюстраванне каментароў", + "textCreated": "Створаны", + "textCustomSize": "Адвольны памер", + "textDisableAll": "Адключыць усе", + "textDocumentInfo": "Інфармацыя аб дакуменце", + "textDocumentSettings": "Налады дакумента", + "textDocumentTitle": "Назва дакумента", + "textDone": "Завершана", + "textDownload": "Спампаваць", + "textEnableAll": "Уключыць усе", + "textEncoding": "Кадаванне", + "textFind": "Пошук", + "textFindAndReplace": "Пошук і замена", + "textFormat": "Фармат", + "textHelp": "Даведка", + "textHiddenTableBorders": "Схаваныя межы табліц", + "textHighlightResults": "Падсвятліць вынікі", + "textInch": "Цаля", + "textLandscape": "Альбомная", + "textLastModified": "Апошняя змена", + "textLastModifiedBy": "Аўтар апошняй змены", + "textLeft": "Левае", + "textLoading": "Загрузка…", + "textLocation": "Размяшчэнне", + "textMacrosSettings": "Налады макрасаў", + "textMargins": "Палі", + "textMarginsH": "Верхняе і ніжняе палі занадта высокія для вызначанай вышыні старонкі", + "textMarginsW": "Левае і правае поле занадта шырокія для гэтай шырыні старонкі", + "textNoCharacters": "Недрукуемыя сімвалы", + "textNoTextFound": "Тэкст не знойдзены", + "textOk": "Добра", + "textOpenFile": "Каб адкрыць файл, увядзіце пароль", + "textOrientation": "Арыентацыя", + "textOwner": "Уладальнік", + "textPages": "Старонкі", + "textParagraphs": "Абзацы", + "textPoint": "Пункт", + "textPortrait": "Кніжная", + "textPrint": "Друк", + "textReaderMode": "Рэжым чытання", + "textReplace": "Замяніць", + "textReplaceAll": "Замяніць усе", + "textResolvedComments": "Вырашаныя каментары", + "textRight": "Правае", + "textSearch": "Пошук", + "textSettings": "Налады", + "textShowNotification": "Паказваць апавяшчэнне", + "textSpaces": "Прагалы", + "textSpellcheck": "Праверка правапісу", + "textStatistic": "Статыстыка", + "textSubject": "Тэма", + "textSymbols": "Сімвалы", + "textTitle": "Назва", + "textTop": "Верхняе", + "textUnitOfMeasurement": "Адзінкі вымярэння", + "textUploaded": "Запампавана", + "textWords": "Словы", + "txtOk": "Добра", + "txtScheme1": "Офіс", + "txtScheme10": "Звычайная", + "txtScheme11": "Метро", + "txtScheme12": "Модульная", + "txtScheme13": "Прывабная", + "txtScheme14": "Эркер", + "txtScheme15": "Зыходная", + "txtScheme16": "Папяровая", + "txtScheme17": "Сонцаварот", + "txtScheme18": "Тэхнічная", + "txtScheme19": "Трэк", + "txtScheme2": "Адценні шэрага", + "txtScheme20": "Гарадская", + "txtScheme21": "Яркая", + "txtScheme3": "Апекс", + "txtScheme4": "Аспект", + "txtScheme5": "Афіцыйная", + "txtScheme6": "Адкрытая", + "txtScheme7": "Справядлівасць", + "txtScheme8": "Плынь", + "txtScheme9": "Ліцейня", "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", + "textChooseEncoding": "Choose Encoding", "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", + "txtDownloadTxt": "Download TXT", "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", - "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": "New Office" }, "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" + "dlgLeaveTitleText": "Вы выходзіце з праграмы", + "leaveButtonText": "Сысці са старонкі", + "stayButtonText": "Застацца на старонцы", + "dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes." } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/ca.json b/apps/documenteditor/mobile/locale/ca.json index c59d2609f..64f3ba975 100644 --- a/apps/documenteditor/mobile/locale/ca.json +++ b/apps/documenteditor/mobile/locale/ca.json @@ -41,6 +41,7 @@ "textLocation": "Ubicació", "textNextPage": "Pàgina següent", "textOddPage": "Pàgina senar", + "textOk": "D'acord", "textOther": "Altre", "textPageBreak": "Salt de pàgina", "textPageNumber": "Número de pàgina", @@ -53,11 +54,10 @@ "textScreenTip": "Consell de pantalla", "textSectionBreak": "Salt de secció", "textShape": "Forma", - "textStartAt": "Comença a", + "textStartAt": "Inicia a", "textTable": "Taula", "textTableSize": "Mida de la taula", - "txtNotUrl": "Aquest camp hauria de ser un URL amb el format \"http://www.exemple.com\"", - "textOk": "Ok" + "txtNotUrl": "Aquest camp hauria de ser un URL amb el format \"http://www.exemple.com\"" }, "Common": { "Collaboration": { @@ -158,13 +158,13 @@ "textUsers": "Usuaris", "textWidow": "Control de finestra" }, + "HighlightColorPalette": { + "textNoFill": "Sense emplenament" + }, "ThemeColorPalette": { "textCustomColors": "Colors personalitzats", "textStandartColors": "Colors estàndard", "textThemeColors": "Colors del tema" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -208,6 +208,8 @@ "textAlign": "Alineació", "textAllCaps": "Tot en majúscules", "textAllowOverlap": "Permet que se superposin", + "textApril": "abril", + "textAugust": "agost", "textAuto": "Automàtic", "textAutomatic": "Automàtic", "textBack": "Enrere", @@ -215,7 +217,7 @@ "textBandedColumn": "Columna en bandes", "textBandedRow": "Fila en bandes", "textBefore": "Abans", - "textBehind": "Darrere", + "textBehind": "Darrere el text", "textBorder": "Vora", "textBringToForeground": "Porta al primer pla", "textBullets": "Pics", @@ -226,6 +228,8 @@ "textColor": "Color", "textContinueFromPreviousSection": "Continua des de la secció anterior", "textCustomColor": "Color personalitzat", + "textDecember": "desembre", + "textDesign": "Disseny", "textDifferentFirstPage": "Primera pàgina diferent", "textDifferentOddAndEvenPages": "Pàgines senars i parells diferents", "textDisplay": "Visualització", @@ -233,7 +237,9 @@ "textDoubleStrikethrough": "Ratllat doble", "textEditLink": "Edita l'enllaç", "textEffects": "Efectes", + "textEmpty": "Buit", "textEmptyImgUrl": "Cal especificar l'URL de la imatge.", + "textFebruary": "febrer", "textFill": "Emplena", "textFirstColumn": "Primera columna", "textFirstLine": "Primera línia", @@ -242,14 +248,18 @@ "textFontColors": "Colors del tipus de lletra", "textFonts": "Tipus de lletra", "textFooter": "Peu de pàgina", + "textFr": "dv.", "textHeader": "Capçalera", "textHeaderRow": "Fila de capçalera", "textHighlightColor": "Color de ressaltat", "textHyperlink": "Enllaç", "textImage": "Imatge", "textImageURL": "URL de la imatge ", - "textInFront": "Davant", - "textInline": "En línia", + "textInFront": "Davant del text", + "textInline": "En línia amb el text", + "textJanuary": "gener", + "textJuly": "juliol", + "textJune": "juny", "textKeepLinesTogether": "Conserva les línies juntes", "textKeepWithNext": "Segueix amb el següent", "textLastColumn": "Última columna", @@ -258,13 +268,19 @@ "textLink": "Enllaç", "textLinkSettings": "Configuració de l'enllaç", "textLinkToPrevious": "Enllaça-ho amb l'anterior", + "textMarch": "març", + "textMay": "maig", + "textMo": "dl.", "textMoveBackward": "Torna enrere", "textMoveForward": "Ves endavant", "textMoveWithText": "Mou amb el text", "textNone": "Cap", "textNoStyles": "No hi ha estils per a aquest tipus de gràfics.", "textNotUrl": "Aquest camp hauria de ser un URL amb el format \"http://www.exemple.com\"", + "textNovember": "novembre", "textNumbers": "Nombres", + "textOctober": "octubre", + "textOk": "D'acord", "textOpacity": "Opacitat", "textOptions": "Opcions", "textOrphanControl": "Control de línies orfes", @@ -285,51 +301,35 @@ "textReplace": "Substitueix", "textReplaceImage": "Substitueix la imatge", "textResizeToFitContent": "Canvia la mida per ajustar el contingut", + "textSa": "ds.", "textScreenTip": "Consell de pantalla", "textSelectObjectToEdit": "Selecciona l'objecte a editar", "textSendToBackground": "Envia al fons", + "textSeptember": "setembre", "textSettings": "Configuració", "textShape": "Forma", "textSize": "Mida", "textSmallCaps": "Versaletes", "textSpaceBetweenParagraphs": "Espaiat entre paràgrafs", "textSquare": "Quadrat", - "textStartAt": "Comença a", + "textStartAt": "Inicia a", "textStrikethrough": "Ratllat", "textStyle": "Estil", "textStyleOptions": "Opcions d'estil", + "textSu": "dg.", "textSubscript": "Subíndex", "textSuperscript": "Superíndex", "textTable": "Taula", "textTableOptions": "Opcions de la taula", "textText": "Text", + "textTh": "dj.", "textThrough": "A través", "textTight": "Estret", "textTopAndBottom": "Superior i inferior", "textTotalRow": "Fila de total", + "textTu": "dt.", "textType": "Tipus", "textWrap": "Ajustament", - "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" }, "Error": { @@ -396,7 +396,7 @@ "printTextText": "S'està imprimint el document...", "printTitleText": "S'està imprimint el document", "savePreparingText": "S'està preparant per desar", - "savePreparingTitle": "S'està preparant per desar. Espera...", + "savePreparingTitle": "S'està preparant per desar. Espereu...", "saveTextText": "S'està desant el document...", "saveTitleText": "S'està desant el document", "sendMergeText": "S'està enviant la combinació...", @@ -487,8 +487,11 @@ "textHasMacros": "El fitxer conté macros automàtiques.
Les vols executar?", "textNo": "No", "textNoLicenseTitle": "S'ha assolit el límit de llicència", + "textNoTextFound": "No s'ha trobat el text", "textPaidFeature": "Funció de pagament", "textRemember": "Recorda la meva elecció", + "textReplaceSkipped": "S'ha realitzat la substitució. S'han omès {0} ocurrències.", + "textReplaceSuccess": "S'ha fet la cerca. S'han substituït les coincidències: {0}", "textYes": "Sí", "titleLicenseExp": "La llicència ha caducat", "titleServerVersion": "S'ha actualitzat l'editor", @@ -500,10 +503,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "No tens permís per editar aquest fitxer." }, "Settings": { "advDRMOptions": "El fitxer està protegit", diff --git a/apps/documenteditor/mobile/locale/cs.json b/apps/documenteditor/mobile/locale/cs.json index fed9cf108..d2d03ed7f 100644 --- a/apps/documenteditor/mobile/locale/cs.json +++ b/apps/documenteditor/mobile/locale/cs.json @@ -41,6 +41,7 @@ "textLocation": "Umístění", "textNextPage": "Další stránka", "textOddPage": "Lichá stránka", + "textOk": "OK", "textOther": "Jiné", "textPageBreak": "Konec stránky", "textPageNumber": "Číslo stránky", @@ -56,8 +57,7 @@ "textStartAt": "Začít na", "textTable": "Tabulka", "textTableSize": "Velikost tabulky", - "txtNotUrl": "Toto pole by mělo obsahovat adresu URL ve formátu \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Toto pole by mělo obsahovat adresu URL ve formátu \"http://www.example.com\"" }, "Common": { "Collaboration": { @@ -158,13 +158,13 @@ "textUsers": "Uživatelé", "textWidow": "Ovládací prvek okna" }, + "HighlightColorPalette": { + "textNoFill": "Bez výplně" + }, "ThemeColorPalette": { "textCustomColors": "Vlastní barvy", "textStandartColors": "Standardní barvy", - "textThemeColors": "Barvy motivu vzhledu" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" + "textThemeColors": "Barvy vzhledu prostředí" } }, "ContextMenu": { @@ -208,6 +208,8 @@ "textAlign": "Zarovnání", "textAllCaps": "Všechno velkými", "textAllowOverlap": "Povolit překrývání", + "textApril": "duben", + "textAugust": "srpen", "textAuto": "Automaticky", "textAutomatic": "Automaticky", "textBack": "Zpět", @@ -226,6 +228,8 @@ "textColor": "Barva", "textContinueFromPreviousSection": "Pokračovat od předchozí sekce", "textCustomColor": "Vlastní barva", + "textDecember": "prosinec", + "textDesign": "Vzhled", "textDifferentFirstPage": "Odlišná první stránka", "textDifferentOddAndEvenPages": "Rozdílné liché a sudé stránky", "textDisplay": "Zobrazit", @@ -233,7 +237,9 @@ "textDoubleStrikethrough": "Dvojité přeškrtnutí", "textEditLink": "Upravit odkaz", "textEffects": "Efekty", + "textEmpty": "prázdné", "textEmptyImgUrl": "Musíte upřesnit URL obrázku.", + "textFebruary": "únor", "textFill": "Výplň", "textFirstColumn": "První sloupec", "textFirstLine": "První řádek", @@ -242,6 +248,7 @@ "textFontColors": "Barvy písma", "textFonts": "Styly", "textFooter": "Zápatí", + "textFr": "pá", "textHeader": "Záhlaví", "textHeaderRow": "Záhlaví řádků", "textHighlightColor": "Barva zvýraznění", @@ -250,6 +257,9 @@ "textImageURL": "URL obrázku", "textInFront": "Vpředu", "textInline": "V textu", + "textJanuary": "leden", + "textJuly": "červenec", + "textJune": "červen", "textKeepLinesTogether": "Držet řádky pohromadě", "textKeepWithNext": "Svázat s následujícím", "textLastColumn": "Poslední sloupec", @@ -258,13 +268,19 @@ "textLink": "Odkaz", "textLinkSettings": "Nastavení odkazů", "textLinkToPrevious": "Odkaz na předchozí", + "textMarch": "březen", + "textMay": "květen", + "textMo": "po", "textMoveBackward": "Jít zpět", "textMoveForward": "Posunout vpřed", "textMoveWithText": "Přesunout s textem", "textNone": "Žádné", "textNoStyles": "Žádné styly pro tento typ grafů.", "textNotUrl": "Toto pole by mělo obsahovat adresu URL ve formátu \"http://www.example.com\"", + "textNovember": "listopad", "textNumbers": "Čísla", + "textOctober": "říjen", + "textOk": "OK", "textOpacity": "Průhlednost", "textOptions": "Možnosti", "textOrphanControl": "Kontrola osamocených řádků", @@ -285,9 +301,11 @@ "textReplace": "Nahradit", "textReplaceImage": "Nahradit obrázek", "textResizeToFitContent": "Změnit velikost pro přizpůsobení obsahu", + "textSa": "so", "textScreenTip": "Nápověda", "textSelectObjectToEdit": "Vyberte objekt pro úpravu", "textSendToBackground": "Přesunout do pozadí", + "textSeptember": "září", "textSettings": "Nastavení", "textShape": "Obrazec", "textSize": "Velikost", @@ -298,39 +316,21 @@ "textStrikethrough": "Přeškrtnuté", "textStyle": "Styl", "textStyleOptions": "Možnosti stylu", + "textSu": "ne", "textSubscript": "Dolní index", "textSuperscript": "Horní index", "textTable": "Tabulka", "textTableOptions": "Možnosti tabulky", "textText": "Text", + "textTh": "čt", "textThrough": "Skrz", "textTight": "Těsné", "textTopAndBottom": "Nahoře a dole", "textTotalRow": "Součtový řádek", + "textTu": "út", "textType": "Typ", - "textWrap": "Obtékání", - "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" + "textWe": "st", + "textWrap": "Obtékání" }, "Error": { "convertationTimeoutText": "Vypršel čas konverze.", @@ -487,8 +487,11 @@ "textHasMacros": "Soubor obsahuje automatická makra.
Opravdu chcete makra spustit?", "textNo": "Ne", "textNoLicenseTitle": "Došlo k dosažení limitu licence", + "textNoTextFound": "Text nebyl nalezen", "textPaidFeature": "Placená funkce", "textRemember": "Zapamatovat moji volbu", + "textReplaceSkipped": "Nahrazení bylo provedeno. {0} výskytů bylo přeskočeno.", + "textReplaceSuccess": "Hledání bylo dokončeno. Nahrazeno výskytů: {0}", "textYes": "Ano", "titleLicenseExp": "Platnost licence vypršela", "titleServerVersion": "Editor byl aktualizován", @@ -500,10 +503,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Nemáte oprávnění pro úpravu tohoto dokumentu." }, "Settings": { "advDRMOptions": "Zabezpečený soubor", diff --git a/apps/documenteditor/mobile/locale/de.json b/apps/documenteditor/mobile/locale/de.json index 4a82ae963..d66b6af5c 100644 --- a/apps/documenteditor/mobile/locale/de.json +++ b/apps/documenteditor/mobile/locale/de.json @@ -41,6 +41,7 @@ "textLocation": "Standort", "textNextPage": "Nächste Seite", "textOddPage": "Ungerade Seite", + "textOk": "OK", "textOther": "Sonstiges", "textPageBreak": "Seitenumbruch", "textPageNumber": "Seitennummer", @@ -56,8 +57,7 @@ "textStartAt": "Beginnen mit", "textTable": "Tabelle", "textTableSize": "Tabellengröße", - "txtNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein.", - "textOk": "Ok" + "txtNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein." }, "Common": { "Collaboration": { @@ -158,13 +158,13 @@ "textUsers": "Benutzer", "textWidow": "Absatzkontrolle" }, + "HighlightColorPalette": { + "textNoFill": "Keine Füllung" + }, "ThemeColorPalette": { "textCustomColors": "Benutzerdefinierte Farben", "textStandartColors": "Standardfarben", "textThemeColors": "Designfarben" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -208,6 +208,8 @@ "textAlign": "Ausrichtung", "textAllCaps": "Alle Großbuchstaben", "textAllowOverlap": "Überlappung zulassen", + "textApril": "April", + "textAugust": "August", "textAuto": "Auto", "textAutomatic": "Automatisch", "textBack": "Zurück", @@ -226,6 +228,8 @@ "textColor": "Farbe", "textContinueFromPreviousSection": "Fortsetzen vom vorherigen Abschnitt", "textCustomColor": "Benutzerdefinierte Farbe", + "textDecember": "Dezember", + "textDesign": "Design", "textDifferentFirstPage": "Erste Seite anders", "textDifferentOddAndEvenPages": "Gerade und ungerade Seiten anders", "textDisplay": "Anzeigen", @@ -233,7 +237,9 @@ "textDoubleStrikethrough": "Doppelt durchgestrichen", "textEditLink": "Link bearbeiten", "textEffects": "Effekte", + "textEmpty": "Leer", "textEmptyImgUrl": "URL des Bildes erforderlich", + "textFebruary": "Februar", "textFill": "Füllung", "textFirstColumn": "Erste Spalte", "textFirstLine": "Erste Zeile", @@ -242,6 +248,7 @@ "textFontColors": "Schriftfarben", "textFonts": "Schriftarten", "textFooter": "Fußzeile", + "textFr": "Fr", "textHeader": "Kopfzeile", "textHeaderRow": "Kopfzeile", "textHighlightColor": "Hervorhebungsfarbe", @@ -250,6 +257,9 @@ "textImageURL": "URL des Bildes", "textInFront": "Vor dem Text", "textInline": "Inline", + "textJanuary": "Januar", + "textJuly": "Juli", + "textJune": "Juni", "textKeepLinesTogether": "Absatz zusammenhalten", "textKeepWithNext": "Vom nächsten Absatz nicht trennen", "textLastColumn": "Letzte Spalte", @@ -258,13 +268,19 @@ "textLink": "Link", "textLinkSettings": "Linkseinstellungen", "textLinkToPrevious": "Mit vorheriger verknüpfen", + "textMarch": "März", + "textMay": "Mai", + "textMo": "Mo", "textMoveBackward": "Nach hinten", "textMoveForward": "Nach vorne", "textMoveWithText": "Mit Text verschieben", "textNone": "Kein(e)", "textNoStyles": "Keine Stile für diesen Typ von Diagrammen.", "textNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein.", + "textNovember": "November", "textNumbers": "Nummern", + "textOctober": "Oktober", + "textOk": "OK", "textOpacity": "Undurchsichtigkeit", "textOptions": "Optionen", "textOrphanControl": "Absatzkontrolle", @@ -285,9 +301,11 @@ "textReplace": "Ersetzen", "textReplaceImage": "Bild ersetzen", "textResizeToFitContent": "An die Größe des Inhalts anpassen", + "textSa": "Sa", "textScreenTip": "QuickInfo", "textSelectObjectToEdit": "Wählen Sie das Objekt für Bearbeitung aus", "textSendToBackground": "In den Hintergrund senden", + "textSeptember": "September", "textSettings": "Einstellungen", "textShape": "Form", "textSize": "Größe", @@ -298,39 +316,21 @@ "textStrikethrough": "Durchgestrichen", "textStyle": "Stil", "textStyleOptions": "Stileinstellungen", + "textSu": "Son", "textSubscript": "Tiefgestellt", "textSuperscript": "Hochgestellt", "textTable": "Tabelle", "textTableOptions": "Tabellenoptionen", "textText": "Text", + "textTh": "Do", "textThrough": "Durchgehend", "textTight": "Passend", "textTopAndBottom": "Oben und unten", "textTotalRow": "Ergebniszeile", + "textTu": "Di", "textType": "Typ", - "textWrap": "Umbrechen", - "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" + "textWe": "Mi", + "textWrap": "Umbrechen" }, "Error": { "convertationTimeoutText": "Zeitüberschreitung bei der Konvertierung.", @@ -487,8 +487,11 @@ "textHasMacros": "Diese Datei beinhaltet Makros.
Möchten Sie Makros ausführen?", "textNo": "Nein", "textNoLicenseTitle": "Lizenzlimit erreicht", + "textNoTextFound": "Der Text wurde nicht gefunden.", "textPaidFeature": "Kostenpflichtige Funktion", "textRemember": "Auswahl speichern", + "textReplaceSkipped": "Der Ersatzvorgang wurde durchgeführt. {0} Vorkommen wurden ausgelassen.", + "textReplaceSuccess": "Der Suchvorgang wurde durchgeführt. Vorkommen wurden ersetzt:{0}", "textYes": "Ja", "titleLicenseExp": "Lizenz ist abgelaufen", "titleServerVersion": "Editor wurde aktualisiert", @@ -500,10 +503,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Sie können diese Datei nicht bearbeiten." }, "Settings": { "advDRMOptions": "Geschützte Datei", diff --git a/apps/documenteditor/mobile/locale/el.json b/apps/documenteditor/mobile/locale/el.json index 0b9ec76f3..ff44ef5b3 100644 --- a/apps/documenteditor/mobile/locale/el.json +++ b/apps/documenteditor/mobile/locale/el.json @@ -41,6 +41,7 @@ "textLocation": "Τοποθεσία", "textNextPage": "Επόμενη Σελίδα", "textOddPage": "Μονή Σελίδα", + "textOk": "Εντάξει", "textOther": "Άλλο", "textPageBreak": "Αλλαγή Σελίδας", "textPageNumber": "Αριθμός Σελίδας", @@ -56,8 +57,7 @@ "textStartAt": "Έναρξη Από", "textTable": "Πίνακας", "textTableSize": "Μέγεθος Πίνακα", - "txtNotUrl": "Αυτό το πεδίο πρέπει να είναι μια διεύθυνση URL με τη μορφή «http://www.example.com»", - "textOk": "Ok" + "txtNotUrl": "Αυτό το πεδίο πρέπει να είναι μια διεύθυνση URL με τη μορφή «http://www.example.com»" }, "Common": { "Collaboration": { @@ -158,13 +158,13 @@ "textUsers": "Χρήστες", "textWidow": "Έλεγχος μεμονωμένων γραμμών κειμένου" }, + "HighlightColorPalette": { + "textNoFill": "Χωρίς Γέμισμα" + }, "ThemeColorPalette": { "textCustomColors": "Προσαρμοσμένα Χρώματα", "textStandartColors": "Τυπικά Χρώματα", "textThemeColors": "Χρώματα Θέματος" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -208,6 +208,8 @@ "textAlign": "Στοίχιση", "textAllCaps": "Όλα κεφαλαία", "textAllowOverlap": "Να επιτρέπεται η επικάλυψη", + "textApril": "Απρίλιος", + "textAugust": "Αύγουστος", "textAuto": "Αυτόματα", "textAutomatic": "Αυτόματο", "textBack": "Πίσω", @@ -215,7 +217,7 @@ "textBandedColumn": "Στήλη εναλλαγής σκίασης", "textBandedRow": "Γραμμή εναλλαγής σκίασης", "textBefore": "Πριν", - "textBehind": "Πίσω", + "textBehind": "Πίσω από το Κείμενο", "textBorder": "Περίγραμμα", "textBringToForeground": "Μεταφορά στο προσκήνιο", "textBullets": "Κουκκίδες", @@ -226,6 +228,8 @@ "textColor": "Χρώμα", "textContinueFromPreviousSection": "Συνέχεια από το προηγούμενο τμήμα", "textCustomColor": "Προσαρμοσμένο Χρώμα", + "textDecember": "Δεκέμβριος", + "textDesign": "Σχεδίαση", "textDifferentFirstPage": "Διαφορετική πρώτη σελίδα", "textDifferentOddAndEvenPages": "Διαφορετικές μονές και ζυγές σελίδες", "textDisplay": "Προβολή", @@ -233,7 +237,9 @@ "textDoubleStrikethrough": "Διπλή Διαγραφή", "textEditLink": "Επεξεργασία Συνδέσμου", "textEffects": "Εφέ", + "textEmpty": "Κενό", "textEmptyImgUrl": "Πρέπει να καθορίσετε τη διεύθυνση URL της εικόνας.", + "textFebruary": "Φεβρουάριος", "textFill": "Γέμισμα", "textFirstColumn": "Πρώτη Στήλη", "textFirstLine": "Πρώτη Γραμμή", @@ -242,14 +248,18 @@ "textFontColors": "Χρώματα Γραμματοσειράς", "textFonts": "Γραμματοσειρές", "textFooter": "Υποσέλιδο", + "textFr": "Παρ", "textHeader": "Κεφαλίδα", "textHeaderRow": "Σειρά Κεφαλίδας", "textHighlightColor": "Χρώμα Επισήμανσης", "textHyperlink": "Υπερσύνδεσμος", "textImage": "Εικόνα", "textImageURL": "URL εικόνας", - "textInFront": "Μπροστά", - "textInline": "Εντός κειμένου", + "textInFront": "Μπροστά από το Κείμενο", + "textInline": "Εντός Κειμένου", + "textJanuary": "Ιανουάριος", + "textJuly": "Ιούλιος", + "textJune": "Ιούνιος", "textKeepLinesTogether": "Διατήρηση Γραμμών Μαζί", "textKeepWithNext": "Διατήρηση με Επόμενο", "textLastColumn": "Τελευταία Στήλη", @@ -258,13 +268,19 @@ "textLink": "Σύνδεσμος", "textLinkSettings": "Ρυθμίσεις Συνδέσμου", "textLinkToPrevious": "Σύνδεσμος προς το Προηγούμενο", + "textMarch": "Μάρτιος", + "textMay": "Μάιος", + "textMo": "Δευ", "textMoveBackward": "Μετακίνηση προς τα Πίσω", "textMoveForward": "Μετακίνηση προς τα Εμπρός", "textMoveWithText": "Μετακίνηση με Κείμενο", "textNone": "Κανένα", "textNoStyles": "Δεν υπάρχουν τεχνοτροπίες για αυτόν τον τύπο γραφημάτων.", "textNotUrl": "Αυτό το πεδίο πρέπει να είναι μια διεύθυνση URL με τη μορφή «http://www.example.com»", + "textNovember": "Νοέμβριος", "textNumbers": "Αριθμοί", + "textOctober": "Οκτώβριος", + "textOk": "Εντάξει", "textOpacity": "Αδιαφάνεια", "textOptions": "Επιλογές", "textOrphanControl": "Έλεγχος Ορφανών", @@ -285,9 +301,11 @@ "textReplace": "Αντικατάσταση", "textReplaceImage": "Αντικατάσταση Εικόνας", "textResizeToFitContent": "Αλλαγή Μεγέθους για Προσαρμογή Περιεχομένου", + "textSa": "Σαβ", "textScreenTip": "Συμβουλή Οθόνης", "textSelectObjectToEdit": "Επιλογή αντικειμένου για επεξεργασία", "textSendToBackground": "Μεταφορά στο Παρασκήνιο", + "textSeptember": "Σεπτέμβριος", "textSettings": "Ρυθμίσεις", "textShape": "Σχήμα", "textSize": "Μέγεθος", @@ -298,39 +316,21 @@ "textStrikethrough": "Διακριτική διαγραφή", "textStyle": "Τεχνοτροπία", "textStyleOptions": "Επιλογές Tεχνοτροπίας", + "textSu": "Κυρ", "textSubscript": "Δείκτης", "textSuperscript": "Εκθέτης", "textTable": "Πίνακας", "textTableOptions": "Επιλογές Πίνακα", "textText": "Κείμενο", + "textTh": "Πεμ", "textThrough": "Διά μέσου", "textTight": "Σφιχτό", "textTopAndBottom": "Πάνω και Κάτω", "textTotalRow": "Συνολική Γραμμή", + "textTu": "Τρι", "textType": "Τύπος", - "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" + "textWe": "Τετ", + "textWrap": "Αναδίπλωση" }, "Error": { "convertationTimeoutText": "Υπέρβαση χρονικού ορίου μετατροπής.", @@ -487,8 +487,11 @@ "textHasMacros": "Το αρχείο περιέχει αυτόματες μακροεντολές.
Θέλετε να εκτελέσετε μακροεντολές;", "textNo": "Όχι", "textNoLicenseTitle": "Το όριο της άδειας προσεγγίσθηκε", + "textNoTextFound": "Δεν βρέθηκε το κείμενο", "textPaidFeature": "Δυνατότητα επί πληρωμή", "textRemember": "Απομνημόνευση επιλογής", + "textReplaceSkipped": "Η αντικατάσταση έγινε. {0} εμφανίσεις προσπεράστηκαν.", + "textReplaceSuccess": "Η αναζήτηση ολοκληρώθηκε. Εμφανίσεις που αντικαταστάθηκαν: {0}", "textYes": "Ναι", "titleLicenseExp": "Η άδεια έληξε", "titleServerVersion": "Ο συντάκτης ενημερώθηκε", @@ -500,10 +503,7 @@ "warnLicenseUsersExceeded": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.
Επικοινωνήστε με τον διαχειριστή σας για περισσότερες πληροφορίες.", "warnNoLicense": "Φτάσατε το όριο ταυτόχρονων συνδέσεων σε %1 συντάκτες. Το έγγραφο θα ανοίξει μόνο για ανάγνωση. Επικοινωνήστε με την ομάδα πωλήσεων %1 για τους όρους αναβάθμισης.", "warnNoLicenseUsers": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.
Επικοινωνήστε με την ομάδα πωλήσεων %1 για προσωπικούς όρους αναβάθμισης.", - "warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας αυτού του αρχείου.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας αυτού του αρχείου." }, "Settings": { "advDRMOptions": "Προστατευμένο Αρχείο", diff --git a/apps/documenteditor/mobile/locale/en.json b/apps/documenteditor/mobile/locale/en.json index 1558e4ec9..e80ba9648 100644 --- a/apps/documenteditor/mobile/locale/en.json +++ b/apps/documenteditor/mobile/locale/en.json @@ -526,7 +526,7 @@ "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", + "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.", diff --git a/apps/documenteditor/mobile/locale/es.json b/apps/documenteditor/mobile/locale/es.json index a1e901204..9b007d802 100644 --- a/apps/documenteditor/mobile/locale/es.json +++ b/apps/documenteditor/mobile/locale/es.json @@ -3,14 +3,14 @@ "textAbout": "Acerca de", "textAddress": "Dirección", "textBack": "Atrás", - "textEmail": "E-mail", + "textEmail": "Correo", "textPoweredBy": "Con tecnología de", "textTel": "Tel", "textVersion": "Versión " }, "Add": { "notcriticalErrorTitle": "Advertencia", - "textAddLink": "Añadir enlace ", + "textAddLink": "Agregar enlace ", "textAddress": "Dirección", "textBack": "Atrás", "textBelowText": "Bajo el texto", @@ -41,6 +41,7 @@ "textLocation": "Ubicación", "textNextPage": "Página siguiente", "textOddPage": "Página impar", + "textOk": "Aceptar", "textOther": "Otros", "textPageBreak": "Salto de página ", "textPageNumber": "Número de página", @@ -56,16 +57,15 @@ "textStartAt": "Empezar con", "textTable": "Tabla", "textTableSize": "Tamaño de tabla", - "txtNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"" }, "Common": { "Collaboration": { "notcriticalErrorTitle": "Advertencia", "textAccept": "Aceptar", "textAcceptAllChanges": "Aceptar todos los cambios", - "textAddComment": "Añadir comentario", - "textAddReply": "Añadir respuesta", + "textAddComment": "Agregar comentario", + "textAddReply": "Agregar respuesta", "textAllChangesAcceptedPreview": "Todos los cambio aceptados (Vista previa)", "textAllChangesEditing": "Todos los cambios (Edición)", "textAllChangesRejectedPreview": "Todos los cambios rechazados (Vista previa)", @@ -82,7 +82,7 @@ "textCollaboration": "Colaboración", "textColor": "Color de fuente", "textComments": "Comentarios", - "textContextual": "No añadir intervalos entre párrafos del mismo estilo", + "textContextual": "No agregar intervalos entre párrafos del mismo estilo", "textDelete": "Eliminar", "textDeleteComment": "Eliminar comentario", "textDeleted": "Eliminado:", @@ -117,7 +117,7 @@ "textNoBreakBefore": "Sin salto de página antes", "textNoChanges": "No hay cambios.", "textNoComments": "Este documento no contiene comentarios", - "textNoContextual": "Añadir intervalo entre párrafos del mismo estilo", + "textNoContextual": "Agregar intervalo entre párrafos del mismo estilo", "textNoKeepLines": "No mantener líneas juntas", "textNoKeepNext": "No mantener con el siguiente", "textNot": "No", @@ -149,7 +149,7 @@ "textSubScript": "Subíndice", "textSuperScript": "Superíndice", "textTableChanged": "Cambios en los ajustes de la tabla", - "textTableRowsAdd": "Filas de la tabla añadidas", + "textTableRowsAdd": "Filas de la tabla agregadas", "textTableRowsDel": "Filas de la tabla eliminadas", "textTabs": "Cambiar tabulaciones", "textTrackChanges": "Seguimiento de cambios", @@ -158,19 +158,19 @@ "textUsers": "Usuarios", "textWidow": "Control de viudas" }, + "HighlightColorPalette": { + "textNoFill": "Sin relleno" + }, "ThemeColorPalette": { "textCustomColors": "Colores personalizados", "textStandartColors": "Colores estándar", "textThemeColors": "Colores de tema" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { "errorCopyCutPaste": "Las acciones de copiar, cortar y pegar utilizando el menú contextual se realizarán sólo dentro del archivo actual.", - "menuAddComment": "Añadir comentario", - "menuAddLink": "Añadir enlace ", + "menuAddComment": "Agregar comentario", + "menuAddLink": "Agregar enlace ", "menuCancel": "Cancelar", "menuContinueNumbering": "Continuar numeración", "menuDelete": "Eliminar", @@ -198,9 +198,9 @@ "Edit": { "notcriticalErrorTitle": "Advertencia", "textActualSize": "Tamaño actual", - "textAddCustomColor": "Añadir color personalizado", + "textAddCustomColor": "Agregar color personalizado", "textAdditional": "Adicional", - "textAdditionalFormatting": "Formateo adicional", + "textAdditionalFormatting": "Formato adicional", "textAddress": "Dirección", "textAdvanced": "Avanzado", "textAdvancedSettings": "Ajustes avanzados", @@ -208,6 +208,8 @@ "textAlign": "Alinear", "textAllCaps": "Mayúsculas", "textAllowOverlap": "Permitir solapamientos", + "textApril": "abril", + "textAugust": "agosto", "textAuto": "Auto", "textAutomatic": "Automático", "textBack": "Atrás", @@ -215,7 +217,7 @@ "textBandedColumn": "Columna con bandas", "textBandedRow": "Fila con bandas", "textBefore": "Antes", - "textBehind": "Detrás", + "textBehind": "Detrás del texto", "textBorder": "Borde", "textBringToForeground": "Traer al primer plano", "textBullets": "Viñetas", @@ -226,6 +228,8 @@ "textColor": "Color", "textContinueFromPreviousSection": "Continuar desde la sección anterior", "textCustomColor": "Color personalizado", + "textDecember": "diciembre", + "textDesign": "Diseño", "textDifferentFirstPage": "Primera página diferente", "textDifferentOddAndEvenPages": "Páginas impares y pares diferentes", "textDisplay": "Mostrar", @@ -233,7 +237,9 @@ "textDoubleStrikethrough": "Doble tachado", "textEditLink": "Editar enlace", "textEffects": "Efectos", + "textEmpty": "Vacío", "textEmptyImgUrl": "Hay que especificar URL de imagen.", + "textFebruary": "febrero", "textFill": "Rellenar", "textFirstColumn": "Primera columna", "textFirstLine": "PrimeraLínea", @@ -242,14 +248,18 @@ "textFontColors": "Colores de fuente", "textFonts": "Fuentes", "textFooter": "Pie de página", + "textFr": "vie.", "textHeader": "Encabezado", "textHeaderRow": "Fila de encabezado", "textHighlightColor": "Color de resaltado", "textHyperlink": "Hiperenlace", "textImage": "Imagen", "textImageURL": "URL de imagen", - "textInFront": "Adelante", - "textInline": "Alineado", + "textInFront": "Delante del texto", + "textInline": "En línea con el texto", + "textJanuary": "enero", + "textJuly": "julio", + "textJune": "junio", "textKeepLinesTogether": "Mantener líneas juntas", "textKeepWithNext": "Mantener con el siguiente", "textLastColumn": "Columna última", @@ -258,13 +268,19 @@ "textLink": "Enlace", "textLinkSettings": "Ajustes de enlace", "textLinkToPrevious": "Vincular al anterior", + "textMarch": "marzo", + "textMay": "mayo", + "textMo": "lu.", "textMoveBackward": "Mover hacia atrás", "textMoveForward": "Moverse hacia adelante", "textMoveWithText": "Mover con texto", "textNone": "Ninguno", "textNoStyles": "No hay estilos para este tipo de gráficos.", "textNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"", + "textNovember": "noviembre", "textNumbers": "Números", + "textOctober": "octubre", + "textOk": "Aceptar", "textOpacity": "Opacidad ", "textOptions": "Opciones", "textOrphanControl": "Control de líneas huérfanas", @@ -285,9 +301,11 @@ "textReplace": "Reemplazar", "textReplaceImage": "Reemplazar imagen", "textResizeToFitContent": "Cambiar tamaño para ajustar el contenido", + "textSa": "sá.", "textScreenTip": "Consejo de pantalla", "textSelectObjectToEdit": "Seleccionar el objeto para editar", "textSendToBackground": "Enviar al fondo", + "textSeptember": "septiembre", "textSettings": "Ajustes", "textShape": "Forma", "textSize": "Tamaño", @@ -298,39 +316,21 @@ "textStrikethrough": "Tachado", "textStyle": "Estilo", "textStyleOptions": "Opciones de estilo", + "textSu": "do.", "textSubscript": "Subíndice", "textSuperscript": "Superíndice", "textTable": "Tabla", "textTableOptions": "Opciones de tabla", "textText": "Texto", + "textTh": "ju.", "textThrough": "A través", "textTight": "Estrecho", "textTopAndBottom": "Superior e inferior", "textTotalRow": "Fila total", + "textTu": "ma.", "textType": "Tipo", - "textWrap": "Ajuste", - "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" + "textWe": "mi.", + "textWrap": "Ajuste" }, "Error": { "convertationTimeoutText": "Tiempo de conversión está superado.", @@ -487,8 +487,11 @@ "textHasMacros": "El archivo contiene macros automáticas.
¿Quiere ejecutar macros?", "textNo": "No", "textNoLicenseTitle": "Se ha alcanzado el límite de licencia", + "textNoTextFound": "Texto no encontrado", "textPaidFeature": "Característica de pago", "textRemember": "Recordar mi elección", + "textReplaceSkipped": "Se ha realizado la sustitución. Se han omitido {0} ocurrencias.", + "textReplaceSuccess": "Se ha realizado la búsqueda. Ocurrencias reemplazadas: {0}", "textYes": "Sí", "titleLicenseExp": "Licencia ha expirado", "titleServerVersion": "Editor ha sido actualizado", @@ -500,10 +503,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "No tiene permiso para editar este archivo." }, "Settings": { "advDRMOptions": "Archivo protegido", diff --git a/apps/documenteditor/mobile/locale/fr.json b/apps/documenteditor/mobile/locale/fr.json index 77c0efba9..9ba12ca5d 100644 --- a/apps/documenteditor/mobile/locale/fr.json +++ b/apps/documenteditor/mobile/locale/fr.json @@ -41,6 +41,7 @@ "textLocation": "Emplacement", "textNextPage": "Page suivante", "textOddPage": "Page impaire", + "textOk": "Accepter", "textOther": "Autre", "textPageBreak": "Saut de page", "textPageNumber": "Numéro de page", @@ -56,8 +57,7 @@ "textStartAt": "Commencer par", "textTable": "Tableau", "textTableSize": "Taille du tableau", - "txtNotUrl": "Ce champ doit contenir une URL au format \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Ce champ doit contenir une URL au format \"http://www.example.com\"" }, "Common": { "Collaboration": { @@ -158,13 +158,13 @@ "textUsers": "Utilisateurs", "textWidow": "Contrôle des veuves" }, + "HighlightColorPalette": { + "textNoFill": "Pas de remplissage" + }, "ThemeColorPalette": { "textCustomColors": "Couleurs personnalisées", "textStandartColors": "Couleurs standard", "textThemeColors": "Couleurs de thème" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -208,6 +208,8 @@ "textAlign": "Aligner", "textAllCaps": "Majuscules", "textAllowOverlap": "Autoriser le chevauchement", + "textApril": "avril", + "textAugust": "août", "textAuto": "Auto", "textAutomatic": "Automatique", "textBack": "Retour", @@ -215,7 +217,7 @@ "textBandedColumn": "Colonne à bandes", "textBandedRow": "Ligne à bandes", "textBefore": "Avant", - "textBehind": "Derrière", + "textBehind": "Derrière le texte", "textBorder": "Bordure", "textBringToForeground": "Mettre au premier plan", "textBullets": "Puces", @@ -226,6 +228,8 @@ "textColor": "Couleur", "textContinueFromPreviousSection": "Continuer à partir de la section précédente", "textCustomColor": "Couleur personnalisée", + "textDecember": "décembre", + "textDesign": "Design", "textDifferentFirstPage": "Première page différente", "textDifferentOddAndEvenPages": "Pages paires et impaires différentes", "textDisplay": "Afficher", @@ -233,7 +237,9 @@ "textDoubleStrikethrough": "Barré double", "textEditLink": "Modifier le lien", "textEffects": "Effets", + "textEmpty": "Vide", "textEmptyImgUrl": "Spécifiez l'URL de l'image", + "textFebruary": "février", "textFill": "Remplissage", "textFirstColumn": "Première colonne", "textFirstLine": "Première ligne", @@ -242,14 +248,18 @@ "textFontColors": "Couleurs de police", "textFonts": "Polices", "textFooter": "Pied de page", + "textFr": "ven.", "textHeader": "En-tête", "textHeaderRow": "Ligne d’en-tête", "textHighlightColor": "Couleur de surlignage", "textHyperlink": "Lien hypertexte", "textImage": "Image", "textImageURL": "URL d'image", - "textInFront": "Devant", - "textInline": "En ligne", + "textInFront": "Devant le texte", + "textInline": "Aligné sur le texte", + "textJanuary": "janvier", + "textJuly": "juillet", + "textJune": "juin", "textKeepLinesTogether": "Lignes solidaires", "textKeepWithNext": "Paragraphes solidaires", "textLastColumn": "Dernière colonne", @@ -258,13 +268,19 @@ "textLink": "Lien", "textLinkSettings": "Paramètres de lien", "textLinkToPrevious": "Lier au précédent", + "textMarch": "mars", + "textMay": "mai", + "textMo": "lun.", "textMoveBackward": "Déplacer vers l'arrière", "textMoveForward": "Avancer", "textMoveWithText": "Déplacer avec le texte", "textNone": "Aucun", "textNoStyles": "Aucun style pour ce type de graphique.", "textNotUrl": "Ce champ doit contenir une URL au format \"http://www.example.com\"", + "textNovember": "novembre", "textNumbers": "Numérotation", + "textOctober": "octobre", + "textOk": "Accepter", "textOpacity": "Opacité", "textOptions": "Options", "textOrphanControl": "Éviter orphelines", @@ -285,9 +301,11 @@ "textReplace": "Remplacer", "textReplaceImage": "Remplacer l’image", "textResizeToFitContent": "Redimensionner pour adapter au contenu", + "textSa": "sam.", "textScreenTip": "Info-bulle", "textSelectObjectToEdit": "Sélectionnez l'objet à modifier", "textSendToBackground": "Mettre en arrière-plan", + "textSeptember": "septembre", "textSettings": "Paramètres", "textShape": "Forme", "textSize": "Taille", @@ -298,39 +316,21 @@ "textStrikethrough": "Barré", "textStyle": "Style", "textStyleOptions": "Options de style", + "textSu": "dim.", "textSubscript": "Indice", "textSuperscript": "Exposant", "textTable": "Tableau", "textTableOptions": "Options du tableau", "textText": "Texte", + "textTh": "jeu.", "textThrough": "Au travers", "textTight": "Rapproché", "textTopAndBottom": "Haut et bas", "textTotalRow": "Ligne de total", + "textTu": "mar.", "textType": "Type", - "textWrap": "Renvoi à la ligne", - "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" + "textWe": "mer.", + "textWrap": "Renvoi à la ligne" }, "Error": { "convertationTimeoutText": "Délai de conversion expiré.", @@ -487,8 +487,11 @@ "textHasMacros": "Le fichier contient des macros automatiques.
Voulez-vous exécuter les macros?", "textNo": "Non", "textNoLicenseTitle": "La limite de la licence est atteinte", + "textNoTextFound": "Texte non trouvé", "textPaidFeature": "Fonction payante", "textRemember": "Se souvenir de mon choix", + "textReplaceSkipped": "Le remplacement a été effectué. {0} occurrences ont été sautées.", + "textReplaceSuccess": "La recherche a été effectuée. Occurrences remplacées : {0}", "textYes": "Oui", "titleLicenseExp": "Licence expirée", "titleServerVersion": "L'éditeur est mis à jour", @@ -500,10 +503,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Vous n'avez pas la permission de modifier ce fichier." }, "Settings": { "advDRMOptions": "Fichier protégé", diff --git a/apps/documenteditor/mobile/locale/gl.json b/apps/documenteditor/mobile/locale/gl.json index 474a93455..158b8067e 100644 --- a/apps/documenteditor/mobile/locale/gl.json +++ b/apps/documenteditor/mobile/locale/gl.json @@ -41,6 +41,7 @@ "textLocation": "Ubicación", "textNextPage": "Seguinte páxina", "textOddPage": "Páxina impar", + "textOk": "Aceptar", "textOther": "Outro", "textPageBreak": "Salto de página", "textPageNumber": "Número de páxina", @@ -56,8 +57,7 @@ "textStartAt": "Comezar en", "textTable": "Táboa", "textTableSize": "Tamaño da táboa", - "txtNotUrl": "Este campo debe ser unha URL no formato \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Este campo debe ser unha URL no formato \"http://www.example.com\"" }, "Common": { "Collaboration": { @@ -158,13 +158,13 @@ "textUsers": "Usuarios", "textWidow": "Control de liñas orfas" }, + "HighlightColorPalette": { + "textNoFill": "Sen encher" + }, "ThemeColorPalette": { "textCustomColors": "Cores personalizadas", "textStandartColors": "Cores estándar", "textThemeColors": "Cores do tema" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -208,6 +208,8 @@ "textAlign": "Aliñar", "textAllCaps": "Todo en maiúsculas", "textAllowOverlap": "Permitir sobreposición", + "textApril": "Abril", + "textAugust": "Agosto", "textAuto": "Automático", "textAutomatic": "Automático", "textBack": "Volver", @@ -226,6 +228,8 @@ "textColor": "Cor", "textContinueFromPreviousSection": "Continuar desde a sección anterior", "textCustomColor": "Cor personalizada", + "textDecember": "Decembro", + "textDesign": "Deseño", "textDifferentFirstPage": "Primeira páxina diferente", "textDifferentOddAndEvenPages": "Páxinas pares e impares diferentes", "textDisplay": "Amosar", @@ -233,7 +237,9 @@ "textDoubleStrikethrough": "Dobre riscado", "textEditLink": "Editar ligazón", "textEffects": "Efectos", + "textEmpty": "Baleiro", "textEmptyImgUrl": "Hai que especificar URL de imaxe.", + "textFebruary": "Febreiro", "textFill": "Encher", "textFirstColumn": "Primeira columna", "textFirstLine": "Primeira liña", @@ -242,6 +248,7 @@ "textFontColors": "Cores da fonte", "textFonts": "Fontes", "textFooter": "Rodapé", + "textFr": "Ver.", "textHeader": "Cabeceira", "textHeaderRow": "Fila da cabeceira", "textHighlightColor": "Cor do realce", @@ -250,6 +257,9 @@ "textImageURL": "URL da imaxe", "textInFront": "Á fronte", "textInline": "Aliñado", + "textJanuary": "Xaneiro", + "textJuly": "Xullo", + "textJune": "Xuño", "textKeepLinesTogether": "Manter as liñas xuntas", "textKeepWithNext": "Manter co seguinte", "textLastColumn": "Última columna", @@ -258,13 +268,19 @@ "textLink": "Ligazón", "textLinkSettings": "Configuración da ligazón", "textLinkToPrevious": "Vincular a Anterior", + "textMarch": "Marzo", + "textMay": "Maio", + "textMo": "Lu.", "textMoveBackward": "Mover a atrás", "textMoveForward": "Mover á fronte", "textMoveWithText": "Mover con texto", "textNone": "Ningún", "textNoStyles": "Non hai estilos para este tipo de gráfico.", "textNotUrl": "Este campo debe ser unha URL no formato \"http://www.example.com\"", + "textNovember": "Novembro", "textNumbers": "Números", + "textOctober": "Outubro", + "textOk": "Aceptar", "textOpacity": "Opacidade", "textOptions": "Opcións", "textOrphanControl": "Control de liñas orfás", @@ -285,9 +301,11 @@ "textReplace": "Substituír", "textReplaceImage": "Substituír imaxe", "textResizeToFitContent": "Cambiar tamaño para axustar o contido", + "textSa": "Sáb", "textScreenTip": "Consello da pantalla", "textSelectObjectToEdit": "Seleccionar o obxecto para editar", "textSendToBackground": "Enviar ao fondo", + "textSeptember": "Setembro", "textSettings": "Configuración", "textShape": "Forma", "textSize": "Tamaño", @@ -298,39 +316,21 @@ "textStrikethrough": "Riscado", "textStyle": "Estilo", "textStyleOptions": "Opcións de estilo", + "textSu": "Dom", "textSubscript": "Subscrito", "textSuperscript": "Sobrescrito", "textTable": "Táboa", "textTableOptions": "Opcións de táboa", "textText": "Texto", + "textTh": "Xo", "textThrough": "A través", "textTight": "Estreito", "textTopAndBottom": "Parte superior e inferior", "textTotalRow": "Fila total", + "textTu": "Ma", "textType": "Tipo", - "textWrap": "Axuste", - "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" + "textWe": "Me", + "textWrap": "Axuste" }, "Error": { "convertationTimeoutText": "Excedeu o tempo límite de conversión.", @@ -487,8 +487,11 @@ "textHasMacros": "O ficheiro contén macros automáticas.
Quere executar macros?", "textNo": "Non", "textNoLicenseTitle": "Alcanzouse o límite da licenza", + "textNoTextFound": "Texto non atopado", "textPaidFeature": "Característica de pago", "textRemember": "Lembrar a miña escolla", + "textReplaceSkipped": "A substitución foi realizada. {0} ocorrencias foron ignoradas.", + "textReplaceSuccess": "A busca foi realizada. Ocorrencias substituídas: {0}", "textYes": "Si", "titleLicenseExp": "A licenza expirou", "titleServerVersion": "Editor actualizado", @@ -500,10 +503,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Non ten permiso para editar este ficheiro." }, "Settings": { "advDRMOptions": "Ficheiro protexido", diff --git a/apps/documenteditor/mobile/locale/it.json b/apps/documenteditor/mobile/locale/it.json index 9a39925a7..903498de8 100644 --- a/apps/documenteditor/mobile/locale/it.json +++ b/apps/documenteditor/mobile/locale/it.json @@ -41,6 +41,7 @@ "textLocation": "Posizione", "textNextPage": "Pagina successiva", "textOddPage": "Pagina dispari", + "textOk": "OK", "textOther": "Altro", "textPageBreak": "Interruzione di pagina", "textPageNumber": "Numero di pagina", @@ -56,8 +57,7 @@ "textStartAt": "Iniziare da", "textTable": "Tabella", "textTableSize": "Dimensione di tabella", - "txtNotUrl": "Questo campo deve essere un URL nel formato \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Questo campo deve essere un URL nel formato \"http://www.example.com\"" }, "Common": { "Collaboration": { @@ -158,13 +158,13 @@ "textUsers": "Utenti", "textWidow": "Controllo vedovo" }, + "HighlightColorPalette": { + "textNoFill": "Nessun riempimento" + }, "ThemeColorPalette": { "textCustomColors": "Colori personalizzati", "textStandartColors": "Colori standard", "textThemeColors": "Colori del tema" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -208,6 +208,8 @@ "textAlign": "Allineare", "textAllCaps": "Tutto maiuscolo", "textAllowOverlap": "Consentire sovrapposizione", + "textApril": "Aprile", + "textAugust": "Agosto", "textAuto": "Auto", "textAutomatic": "Automatico", "textBack": "Indietro", @@ -215,7 +217,7 @@ "textBandedColumn": "Colonne a bande", "textBandedRow": "Righe a bande", "textBefore": "Prima", - "textBehind": "Dietro", + "textBehind": "Dietro al testo", "textBorder": "Bordo", "textBringToForeground": "Portare in primo piano", "textBullets": "Elenchi puntati", @@ -226,6 +228,8 @@ "textColor": "Colore", "textContinueFromPreviousSection": "Continuare dalla sezione precedente", "textCustomColor": "Colore personalizzato", + "textDecember": "Dicembre", + "textDesign": "Design", "textDifferentFirstPage": "Prima pagina diversa", "textDifferentOddAndEvenPages": "Pagine pari e dispari diverse", "textDisplay": "Visualizzare", @@ -233,7 +237,9 @@ "textDoubleStrikethrough": "Barrato doppio", "textEditLink": "Modificare link", "textEffects": "Effetti", + "textEmpty": "Vuoto", "textEmptyImgUrl": "Devi specificare l'URL dell'immagine.", + "textFebruary": "Febbraio", "textFill": "Riempire", "textFirstColumn": "Prima colonna", "textFirstLine": "PrimaLinea", @@ -242,14 +248,18 @@ "textFontColors": "Colori di carattere", "textFonts": "Caratteri", "textFooter": "Piè di pagina", + "textFr": "Ven", "textHeader": "Intestazione", "textHeaderRow": "Riga di intestazione", "textHighlightColor": "Colore di evidenziazione", "textHyperlink": "Collegamento ipertestuale", "textImage": "Immagine", "textImageURL": "URL dell'immagine", - "textInFront": "Davanti", - "textInline": "In linea", + "textInFront": "Davanti al testo", + "textInline": "In linea con il testo", + "textJanuary": "Gennaio", + "textJuly": "Luglio", + "textJune": "Giugno", "textKeepLinesTogether": "Mantenere le linee insieme", "textKeepWithNext": "Mantenere con il successivo", "textLastColumn": "Ultima colonna", @@ -258,13 +268,19 @@ "textLink": "Collegamento", "textLinkSettings": "Impostazioni di collegamento", "textLinkToPrevious": "Collegare al precedente", + "textMarch": "Marzo", + "textMay": "Maggio", + "textMo": "Lun", "textMoveBackward": "Spostare indietro", "textMoveForward": "Spostare avanti", "textMoveWithText": "Spostare con testo", "textNone": "Nessuno", "textNoStyles": "Nessun stile per questo tipo di grafico.", "textNotUrl": "Questo campo deve essere un URL nel formato \"http://www.example.com\"", + "textNovember": "Novembre", "textNumbers": "Numeri", + "textOctober": "Ottobre", + "textOk": "OK", "textOpacity": "Opacità", "textOptions": "Opzioni", "textOrphanControl": "Controllo orfano", @@ -285,9 +301,11 @@ "textReplace": "Sostituire", "textReplaceImage": "Sostituire l'immagine", "textResizeToFitContent": "Ridimensionare per adattare il contenuto", + "textSa": "Sab", "textScreenTip": "Suggerimento su schermo", "textSelectObjectToEdit": "Selezionare un oggetto per modificare", "textSendToBackground": "Spostare in secondo piano", + "textSeptember": "Settembre", "textSettings": "Impostazioni", "textShape": "Forma", "textSize": "Dimensione", @@ -298,39 +316,21 @@ "textStrikethrough": "Barrato", "textStyle": "Stile", "textStyleOptions": "Opzioni di stile", + "textSu": "Dom", "textSubscript": "Pedice", "textSuperscript": "Apice", "textTable": "Tabella", "textTableOptions": "Opzioni di tabella", "textText": "Testo", + "textTh": "Gio", "textThrough": "Attraverso", "textTight": "Stretto", "textTopAndBottom": "Sopra e sotto", "textTotalRow": "Riga totale", + "textTu": "Mar", "textType": "Tipo", - "textWrap": "Avvolgere", - "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" + "textWe": "Mer", + "textWrap": "Avvolgere" }, "Error": { "convertationTimeoutText": "È stato superato il tempo massimo della conversione.", @@ -487,8 +487,11 @@ "textHasMacros": "Il file contiene delle macro automatiche.
Vuoi eseguirle?", "textNo": "No", "textNoLicenseTitle": "E' stato raggiunto il limite della licenza", + "textNoTextFound": "Testo non trovato", "textPaidFeature": "Funzionalità a pagamento", "textRemember": "Ricordare la mia scelta", + "textReplaceSkipped": "La sostituzione è stata effettuata. {0} casi sono stati saltati.", + "textReplaceSuccess": "La ricerca è stata effettuata. Casi sostituiti: {0}", "textYes": "Sì", "titleLicenseExp": "La licenza è scaduta", "titleServerVersion": "L'editor è stato aggiornato", @@ -500,10 +503,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Non hai il permesso di modificare questo file." }, "Settings": { "advDRMOptions": "File protetto", diff --git a/apps/documenteditor/mobile/locale/ja.json b/apps/documenteditor/mobile/locale/ja.json index 9db29d7a6..78599cf30 100644 --- a/apps/documenteditor/mobile/locale/ja.json +++ b/apps/documenteditor/mobile/locale/ja.json @@ -41,6 +41,7 @@ "textLocation": "場所", "textNextPage": "次のページ", "textOddPage": "奇数ページ", + "textOk": "OK", "textOther": "その他", "textPageBreak": "改ページ", "textPageNumber": "ページ番号", @@ -56,8 +57,7 @@ "textStartAt": "から始まる", "textTable": "表", "textTableSize": "表のサイズ", - "txtNotUrl": "このフィールドは、「http://www.example.com」の形式のURLである必要があります。", - "textOk": "Ok" + "txtNotUrl": "このフィールドは、「http://www.example.com」の形式のURLである必要があります。" }, "Common": { "Collaboration": { @@ -158,13 +158,13 @@ "textUsers": "ユーザー", "textWidow": "改ページ時 1 行残して段落を区切らない" }, + "HighlightColorPalette": { + "textNoFill": "塗りつぶしなし" + }, "ThemeColorPalette": { "textCustomColors": "ユーザー設定の色", "textStandartColors": "標準の色", "textThemeColors": "テーマの色" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -208,6 +208,8 @@ "textAlign": "並べる", "textAllCaps": "全ての大字", "textAllowOverlap": "オーバーラップさせる", + "textApril": "4月", + "textAugust": "8月", "textAuto": "自動", "textAutomatic": "自動", "textBack": "戻る", @@ -226,6 +228,8 @@ "textColor": "色", "textContinueFromPreviousSection": "前のセクションから続ける", "textCustomColor": "ユーザー設定の色", + "textDecember": "12月", + "textDesign": "デザイン", "textDifferentFirstPage": "先頭ページのみ別指定", "textDifferentOddAndEvenPages": "奇数/偶数ページ別指定", "textDisplay": "表示する", @@ -233,7 +237,9 @@ "textDoubleStrikethrough": "二重取り消し線", "textEditLink": "リンクを編集する", "textEffects": "効果", + "textEmpty": "空", "textEmptyImgUrl": "イメージのURLを指定すべきです。", + "textFebruary": "2月", "textFill": "塗りつぶし", "textFirstColumn": "最初の列", "textFirstLine": "最初の線", @@ -242,6 +248,7 @@ "textFontColors": "フォントの色", "textFonts": "フォント", "textFooter": "フッター", + "textFr": "金", "textHeader": "ヘッダー", "textHeaderRow": "ヘッダー行", "textHighlightColor": "強調表示の色", @@ -250,6 +257,9 @@ "textImageURL": "イメージURL", "textInFront": "テキストの前に", "textInline": "インライン", + "textJanuary": "1月", + "textJuly": "7月", + "textJune": "6月", "textKeepLinesTogether": "段落を分割しない", "textKeepWithNext": "次の段落と分割しない", "textLastColumn": "最後の列", @@ -258,13 +268,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": "OK", "textOpacity": "不透明度", "textOptions": "オプション", "textOrphanControl": "改ページ時 1 行残して段落を区切らない", @@ -285,9 +301,11 @@ "textReplace": "置換する", "textReplaceImage": "イメージを置換する", "textResizeToFitContent": "内容に合わせてサイズを変更する", + "textSa": "土", "textScreenTip": "ヒント", "textSelectObjectToEdit": "編集するためにオブジェクト​​を選んでください", "textSendToBackground": "背景へ動かす", + "textSeptember": "9月", "textSettings": "設定", "textShape": "形", "textSize": "サイズ", @@ -298,39 +316,21 @@ "textStrikethrough": "取り消し線", "textStyle": "スタイル", "textStyleOptions": "スタイルの設定", + "textSu": "日", "textSubscript": "下付き文字", "textSuperscript": "上付き文字", "textTable": "表", "textTableOptions": "表の設定", "textText": "テキスト", + "textTh": "木", "textThrough": "スルー", "textTight": "外周", "textTopAndBottom": "上と下", "textTotalRow": "合計行", + "textTu": "火", "textType": "タイプ", - "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" + "textWe": "水", + "textWrap": "折り返す" }, "Error": { "convertationTimeoutText": "変換のタイムアウトを超過しました。", @@ -359,7 +359,7 @@ "errorUpdateVersionOnDisconnect": "インターネット接続が復旧し、ファイルのバージョンが更新されました。
作業を継続する前に、ファイルをダウンロードするか、内容をコピーして、変更が消えてしまわないように確認してから、ページを再びお読み込みしてください。", "errorUserDrop": "今、ファイルにアクセスすることはできません。", "errorUsersExceed": "料金プランで許可されているユーザー数を超えました。", - "errorViewerDisconnect": "接続が失われました。あなたはまだ文書を見えるけど,
接続が復元されたしページが再読み込まれたまで文書をダウンロードと印刷できません。", + "errorViewerDisconnect": "接続が失われました。文書の表示は可能ですが、
再度接続されてページが再ロードされるまで、ダウンロードまたは印刷することはできません。", "notcriticalErrorTitle": " 警告", "openErrorText": "ファイルを開く中にエラーがありました。", "saveErrorText": "ファイルを保存中にエラーがありました。", @@ -487,22 +487,22 @@ "textHasMacros": "ファイルには自動マクロが含まれています。
マクロを実行しますか?", "textNo": "いいえ", "textNoLicenseTitle": "ライセンス制限に達しました", + "textNoTextFound": "テキストが見つかりませんでした", "textPaidFeature": "有料機能", "textRemember": "選択を覚える", + "textReplaceSkipped": "置換が完了しました。{0}つスキップされました。", "textYes": "はい", - "titleLicenseExp": "ライセンスの有効期間が満期した", + "titleLicenseExp": "ライセンスの有効期限が切れています", "titleServerVersion": "編集者が更新された", "titleUpdateVersion": "バージョンが変更されました", "warnLicenseExceeded": "%1エディター 時接続数の制限に達しました。この文書が見るだけのために開かれる。詳細についてはアドミニストレータを連絡してください。", - "warnLicenseExp": "ライセンスが満期しました。ライセンスを更新し、ページを再びお読み込みしてください。", - "warnLicenseLimitedNoAccess": "ライセンスが満期しました。編集の汎関数にアクセスがありません。アドミンに連絡してください。", + "warnLicenseExp": "ライセンスの有効期限が切れています。ライセンスを更新してページをリロードしてください。", + "warnLicenseLimitedNoAccess": "ライセンスの有効期限が切れています。ドキュメント編集機能にアクセスできません。管理者にご連絡ください。", "warnLicenseLimitedRenewed": "ライセンスが書き換えすべきです。文書を変更ためのアクセスが制限付きされました。フル アクセスを再接続ためにアドミニストレータを連絡してください。", "warnLicenseUsersExceeded": "%1エディターのユーザー制限に達しました。 詳細についてはアドミニストレータを連絡してください。", "warnNoLicense": "%1エディター 時接続数の制限に達しました。この文書が見るだけのために開かれる。個人的なアップグレード条件については、%1営業チームを連絡してください。", "warnNoLicenseUsers": "%1エディターのユーザー制限に達しました。 個人的なアップグレード条件については、%1営業チームを連絡してください。", "warnProcessRightsChange": "ファイルを編集する権限がありません!", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" }, "Settings": { @@ -537,7 +537,7 @@ "textDocumentTitle": "文書名", "textDone": "完了", "textDownload": "ダウンロード", - "textDownloadAs": "としてダウンロード", + "textDownloadAs": "名前を付けてダウンロード", "textDownloadRtf": "この形式で保存する続けば、フォーマットするの一部が失われる可能性があります。続けてもよろしいですか?", "textDownloadTxt": "この形式で保存する続けば、テクスト除いて全てが失います。続けてもよろしいですか?", "textEnableAll": "全てを有効にする", diff --git a/apps/documenteditor/mobile/locale/ro.json b/apps/documenteditor/mobile/locale/ro.json index 6aea0dc7a..e97bee31b 100644 --- a/apps/documenteditor/mobile/locale/ro.json +++ b/apps/documenteditor/mobile/locale/ro.json @@ -41,6 +41,7 @@ "textLocation": "Locația", "textNextPage": "Pagina următoare", "textOddPage": "Pagină impară", + "textOk": "OK", "textOther": "Altele", "textPageBreak": "Sfârșit pagină", "textPageNumber": "Număr de pagină", @@ -56,8 +57,7 @@ "textStartAt": "Pornire de la", "textTable": "Tabel", "textTableSize": "Dimensiune tabel", - "txtNotUrl": "Câmpul trebuie să conțină adresa URL in format \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Câmpul trebuie să conțină adresa URL in format \"http://www.example.com\"" }, "Common": { "Collaboration": { @@ -158,13 +158,13 @@ "textUsers": "Utilizatori", "textWidow": "Control văduvă" }, + "HighlightColorPalette": { + "textNoFill": "Fără umplere" + }, "ThemeColorPalette": { "textCustomColors": "Culori particularizate", "textStandartColors": "Culori standard", "textThemeColors": "Culori temă" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -208,6 +208,8 @@ "textAlign": "Aliniere", "textAllCaps": "Cu majuscule", "textAllowOverlap": "Se permite suprapunerea", + "textApril": "Aprilie", + "textAugust": "August", "textAuto": "Auto", "textAutomatic": "Automat", "textBack": "Înapoi", @@ -215,7 +217,7 @@ "textBandedColumn": "Coloana alternantă", "textBandedRow": "Rând alternant", "textBefore": "Înainte", - "textBehind": "În urmă", + "textBehind": "În spatele textului", "textBorder": "Bordura", "textBringToForeground": "Aducere în prim plan", "textBullets": "Marcatori", @@ -226,6 +228,8 @@ "textColor": "Culoare", "textContinueFromPreviousSection": "Continuare din secțiunea anterioară", "textCustomColor": "Culoare particularizată", + "textDecember": "Decembrie", + "textDesign": "Proiectare", "textDifferentFirstPage": "Prima pagina diferită", "textDifferentOddAndEvenPages": "Pagini pare și impare diferite", "textDisplay": "Afișare", @@ -233,7 +237,9 @@ "textDoubleStrikethrough": "Tăiere cu două linii", "textEditLink": "Editare link", "textEffects": "Efecte", + "textEmpty": "Necompletat", "textEmptyImgUrl": "Trebuie specificată adresa URL a imaginii.", + "textFebruary": "Februarie", "textFill": "Umplere", "textFirstColumn": "Prima coloană", "textFirstLine": "Primul rând", @@ -242,14 +248,18 @@ "textFontColors": "Culorile font", "textFonts": "Fonturi", "textFooter": "Subsol", + "textFr": "V", "textHeader": "Antet", "textHeaderRow": "Rândul de antet", "textHighlightColor": "Culoare de evidențiere", "textHyperlink": "Hyperlink", "textImage": "Imagine", "textImageURL": "URL-ul imaginii", - "textInFront": "În prim-plan", - "textInline": "În linie", + "textInFront": "În fața textului", + "textInline": "În linie cu textul", + "textJanuary": "Ianuarie", + "textJuly": "Iulie", + "textJune": "Iunie", "textKeepLinesTogether": "Păstrare linii împreună", "textKeepWithNext": "Păstrare cu următorul", "textLastColumn": "Ultima coloană", @@ -258,13 +268,19 @@ "textLink": "Link", "textLinkSettings": "Configurarea link", "textLinkToPrevious": "Legătură la anteriorul", + "textMarch": "Martie", + "textMay": "Mai", + "textMo": "L", "textMoveBackward": "Mutare în ultimul plan", "textMoveForward": "Mutare înainte", "textMoveWithText": "Mutare odată cu textul", "textNone": "Niciunul", "textNoStyles": "Niciun stil pentru acest tip de diagramă.", "textNotUrl": "Câmpul trebuie să conțină adresa URL in format \"http://www.example.com\"", + "textNovember": "Noiembrie", "textNumbers": "Numere", + "textOctober": "Octombrie", + "textOk": "OK", "textOpacity": "Transparență", "textOptions": "Opțiuni", "textOrphanControl": "Control orfan", @@ -285,9 +301,11 @@ "textReplace": "Înlocuire", "textReplaceImage": "Înlocuire imagine", "textResizeToFitContent": "Potrivire conținut", + "textSa": "S", "textScreenTip": "Sfaturi ecran", "textSelectObjectToEdit": "Selectați obiectul pentru editare", "textSendToBackground": "Trimitere în plan secundar", + "textSeptember": "Septembrie", "textSettings": "Setări", "textShape": "Forma", "textSize": "Dimensiune", @@ -298,39 +316,21 @@ "textStrikethrough": "Tăiere cu o linie", "textStyle": "Stil", "textStyleOptions": "Opțiuni de stil", + "textSu": "D", "textSubscript": "Indice", "textSuperscript": "Exponent", "textTable": "Tabel", "textTableOptions": "Opțiuni tabel", "textText": "Text", + "textTh": "J", "textThrough": "Printre", "textTight": "Strâns", "textTopAndBottom": "Sus și jos", "textTotalRow": "Rând total", + "textTu": "Ma", "textType": "Tip", - "textWrap": "Încadrare", - "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" + "textWe": "Mi", + "textWrap": "Încadrare" }, "Error": { "convertationTimeoutText": "Timpul de așteptare pentru conversie a expirat.", @@ -487,8 +487,11 @@ "textHasMacros": "Fișierul conține macrocomenzi.
Doriți să le rulați?", "textNo": "Nu", "textNoLicenseTitle": "Ați atins limita stabilită de licență", + "textNoTextFound": "Textul nu a fost găsit", "textPaidFeature": "Funcția contra plată", "textRemember": "Reține opțiunea mea", + "textReplaceSkipped": "A avut loc o înlocuire. {0} apariții ignorate.", + "textReplaceSuccess": "Căutarea a fost finalizată. Înlocuiri: {0}", "textYes": "Da", "titleLicenseExp": "Licența a expirat", "titleServerVersion": "Editorul a fost actualizat", @@ -500,10 +503,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Nu aveți permisiunea de editare pentru fișier." }, "Settings": { "advDRMOptions": "Fișierul protejat", diff --git a/apps/documenteditor/mobile/locale/ru.json b/apps/documenteditor/mobile/locale/ru.json index 3b1fbff8c..6e017238e 100644 --- a/apps/documenteditor/mobile/locale/ru.json +++ b/apps/documenteditor/mobile/locale/ru.json @@ -41,6 +41,7 @@ "textLocation": "Положение", "textNextPage": "Со следующей страницы", "textOddPage": "С нечетной страницы", + "textOk": "Ok", "textOther": "Другое", "textPageBreak": "Разрыв страницы", "textPageNumber": "Номер страницы", @@ -56,8 +57,7 @@ "textStartAt": "Начать с", "textTable": "Таблица", "textTableSize": "Размер таблицы", - "txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"" }, "Common": { "Collaboration": { @@ -208,6 +208,8 @@ "textAlign": "Выравнивание", "textAllCaps": "Все прописные", "textAllowOverlap": "Разрешить перекрытие", + "textApril": "Апрель", + "textAugust": "Август", "textAuto": "Авто", "textAutomatic": "Автоматический", "textBack": "Назад", @@ -226,6 +228,8 @@ "textColor": "Цвет", "textContinueFromPreviousSection": "Продолжить", "textCustomColor": "Пользовательский цвет", + "textDecember": "Декабрь", + "textDesign": "Дизайн", "textDifferentFirstPage": "Особый для первой страницы", "textDifferentOddAndEvenPages": "Разные для четных и нечетных", "textDisplay": "Отобразить", @@ -233,7 +237,9 @@ "textDoubleStrikethrough": "Двойное зачёркивание", "textEditLink": "Редактировать ссылку", "textEffects": "Эффекты", + "textEmpty": "Пусто", "textEmptyImgUrl": "Необходимо указать URL рисунка.", + "textFebruary": "Февраль", "textFill": "Заливка", "textFirstColumn": "Первый столбец", "textFirstLine": "Первая строка", @@ -251,6 +257,9 @@ "textImageURL": "URL рисунка", "textInFront": "Перед текстом", "textInline": "В тексте", + "textJanuary": "Январь", + "textJuly": "Июль", + "textJune": "Июнь", "textKeepLinesTogether": "Не разрывать абзац", "textKeepWithNext": "Не отрывать от следующего", "textLastColumn": "Последний столбец", @@ -259,6 +268,8 @@ "textLink": "Ссылка", "textLinkSettings": "Настройки ссылки", "textLinkToPrevious": "Связать с предыдущим", + "textMarch": "Март", + "textMay": "Май", "textMo": "Пн", "textMoveBackward": "Перенести назад", "textMoveForward": "Перенести вперед", @@ -266,7 +277,10 @@ "textNone": "Нет", "textNoStyles": "Для этого типа диаграмм нет стилей.", "textNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"", + "textNovember": "Ноябрь", "textNumbers": "Нумерация", + "textOctober": "Октябрь", + "textOk": "Ok", "textOpacity": "Непрозрачность", "textOptions": "Параметры", "textOrphanControl": "Запрет висячих строк", @@ -291,6 +305,7 @@ "textScreenTip": "Подсказка", "textSelectObjectToEdit": "Выберите объект для редактирования", "textSendToBackground": "Перенести на задний план", + "textSeptember": "Сентябрь", "textSettings": "Настройки", "textShape": "Фигура", "textSize": "Размер", @@ -315,22 +330,7 @@ "textTu": "Вт", "textType": "Тип", "textWe": "Ср", - "textWrap": "Стиль обтекания", - "textApril": "April", - "textAugust": "August", - "textDecember": "December", - "textDesign": "Design", - "textEmpty": "Empty", - "textFebruary": "February", - "textJanuary": "January", - "textJuly": "July", - "textJune": "June", - "textMarch": "March", - "textMay": "May", - "textNovember": "November", - "textOctober": "October", - "textOk": "Ok", - "textSeptember": "September" + "textWrap": "Стиль обтекания" }, "Error": { "convertationTimeoutText": "Превышено время ожидания конвертации.", diff --git a/apps/documenteditor/mobile/locale/tr.json b/apps/documenteditor/mobile/locale/tr.json index c9f2ddbcf..95e2e661c 100644 --- a/apps/documenteditor/mobile/locale/tr.json +++ b/apps/documenteditor/mobile/locale/tr.json @@ -41,6 +41,7 @@ "textLocation": "Konum", "textNextPage": "Sonraki Sayfa", "textOddPage": "Tek Sayfa", + "textOk": "Tamam", "textOther": "Diğer", "textPageBreak": "Sayfa Sonu", "textPageNumber": "Sayfa Numarası", @@ -56,8 +57,7 @@ "textStartAt": "Başlangıç", "textTable": "Tablo", "textTableSize": "Tablo Boyutu", - "txtNotUrl": "Bu alan \"http://www.example.com\" formatında bir URL olmak zorundadır", - "textOk": "Tamam" + "txtNotUrl": "Bu alan \"http://www.example.com\" formatında bir URL olmak zorundadır" }, "Common": { "Collaboration": { @@ -208,6 +208,8 @@ "textAlign": "Hizala", "textAllCaps": "Tümü büyük harf", "textAllowOverlap": "Çakışmaya izin ver", + "textApril": "Nisan", + "textAugust": "Ağustos", "textAuto": "Otomatik", "textAutomatic": "Otomatik", "textBack": "Geri", @@ -226,6 +228,8 @@ "textColor": "Renk", "textContinueFromPreviousSection": "Önceki bölümden devam et", "textCustomColor": "Özel Renk", + "textDecember": "Aralık", + "textDesign": "Tasarım", "textDifferentFirstPage": "Farklı ilk sayfa", "textDifferentOddAndEvenPages": "Farklı tek ve çift sayfalar", "textDisplay": "Görüntüle", @@ -265,6 +269,7 @@ "textNoStyles": "Bu tip çizelge için stil yok!", "textNotUrl": "Bu alan \"http://www.example.com\" formatında bir URL olmak zorundadır", "textNumbers": "Sayılar", + "textOk": "Tamam", "textOpacity": "Opaklık", "textOptions": "Seçenekler", "textOrphanControl": "Tek satır denetimi", @@ -309,10 +314,6 @@ "textTotalRow": "Toplam Satır", "textType": "Tip", "textWrap": "Metni Kaydır", - "textApril": "April", - "textAugust": "August", - "textDecember": "December", - "textDesign": "Design", "textEmpty": "Empty", "textFebruary": "February", "textFr": "Fr", @@ -323,7 +324,6 @@ "textMay": "May", "textMo": "Mo", "textNovember": "November", - "textOk": "Tamam", "textOctober": "October", "textSa": "Sa", "textSeptember": "September", diff --git a/apps/documenteditor/mobile/locale/uk.json b/apps/documenteditor/mobile/locale/uk.json index a33c05493..e20475d42 100644 --- a/apps/documenteditor/mobile/locale/uk.json +++ b/apps/documenteditor/mobile/locale/uk.json @@ -1,626 +1,626 @@ { "About": { - "textAbout": "About", - "textAddress": "Address", - "textBack": "Back", + "textAbout": "Про програму", + "textAddress": "Адреса", + "textBack": "Назад", "textEmail": "Email", - "textPoweredBy": "Powered By", - "textTel": "Tel", - "textVersion": "Version" + "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\"" }, "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": "Рядки" }, "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", - "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" + "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": "Пт", + "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": "Стиль обтікання" }, "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": "Неможливо зберегти документ. Перевірте параметри підключення або зверніться до адміністратора.
Коли ви натиснете на кнопку 'OK', вам буде запропоновано завантажити документ.", + "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." }, "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": "Використовуючи безплатну версію Community, ви можете відкривати документи лише на перегляд. Для доступу до мобільних вебредакторів потрібна комерційна ліцензія.", + "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": "Заголовок змісту", + "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": "Вийшов термін дії ліцензії. Оновіть ліцензію та оновіть сторінку.", + "warnLicenseLimitedNoAccess": "Вийшов термін дії ліцензії. Немає доступу до функцій редагування документів. Будь ласка, зверніться до адміністратора.", + "warnLicenseLimitedRenewed": "Потрібно оновити ліцензію. У вас обмежений доступ до функцій редагування документів.
Будь ласка, зверніться до адміністратора, щоб отримати повний доступ", + "warnLicenseUsersExceeded": "Ви досягли ліміту на кількість користувачів редакторів %1.
Зв'яжіться з адміністратором, щоб дізнатися більше.", + "warnNoLicense": "Ви досягли ліміту на одночасне підключення до редакторів %1. Цей документ буде відкрито для перегляду. Напишіть у відділ продажу %1, щоб обговорити індивідуальні умови оновлення.", + "warnNoLicenseUsers": "Ви досягли ліміту на одночасне підключення до редакторів %1.
Напишіть у відділ продаж %1, для обговорення індивідуальних умов ліцензування.", + "warnProcessRightsChange": "У вас немає прав на редагування цього файлу." }, "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", - "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" + "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": "Ліве та праве поля занадто широкі для заданої ширини сторінки", + "textNoCharacters": "Недруковані символи", + "textNoTextFound": "Текст не знайдено", + "textOk": "Ок", + "textOpenFile": "Введіть пароль для відкриття файлу", + "textOrientation": "Орієнтація", + "textOwner": "Власник", + "textPages": "Сторінки", + "textParagraphs": "Абзаци", + "textPoint": "Пункт", + "textPortrait": "Книжна", + "textPrint": "Друк", + "textReaderMode": "Режим читання", + "textReplace": "Замінити", + "textReplaceAll": "Замінити усе", + "textResolvedComments": "Вирішені коментарі", + "textRight": "Праворуч", + "textSearch": "Пошук", + "textSettings": "Налаштування", + "textShowNotification": "Показувати сповіщення", + "textSpaces": "Пробіли", + "textSpellcheck": "Перевірка орфографії", + "textStatistic": "Статистика", + "textSubject": "Тема", + "textSymbols": "Символи", + "textTitle": "Назва", + "textTop": "Верхнє", + "textUnitOfMeasurement": "Одиниця виміру", + "textUploaded": "Завантажено", + "textWords": "Слова", + "txtDownloadTxt": "Завантажити TXT", + "txtIncorrectPwd": "Невірний пароль", + "txtOk": "Ок", + "txtProtected": "Як тільки ви введете пароль та відкриєте файл, поточний пароль до файлу буде скинуто", + "txtScheme1": "Стандартна", + "txtScheme10": "Звичайна", + "txtScheme11": "Метро", + "txtScheme12": "Модуль", + "txtScheme13": "Витончена", + "txtScheme14": "Еркер", + "txtScheme15": "Початкова", + "txtScheme16": "Паперова", + "txtScheme17": "Сонцестояння", + "txtScheme18": "Технічна", + "txtScheme19": "Трек", + "txtScheme2": "Відтінки сірого", + "txtScheme20": "Міська", + "txtScheme21": "Яскрава", + "txtScheme22": "Нова офісна", + "txtScheme3": "Верх", + "txtScheme4": "Аспект", + "txtScheme5": "Офіційна", + "txtScheme6": "Відкрита", + "txtScheme7": "Власний", + "txtScheme8": "Потік", + "txtScheme9": "Ливарна" }, "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/zh.json b/apps/documenteditor/mobile/locale/zh.json index 807fcf90b..2c2e7b066 100644 --- a/apps/documenteditor/mobile/locale/zh.json +++ b/apps/documenteditor/mobile/locale/zh.json @@ -41,6 +41,7 @@ "textLocation": "位置", "textNextPage": "下一页", "textOddPage": "奇数页", + "textOk": "好", "textOther": "其他", "textPageBreak": "分页符", "textPageNumber": "页码", @@ -56,8 +57,7 @@ "textStartAt": "始于", "textTable": "表格", "textTableSize": "表格大小", - "txtNotUrl": "该字段应为“http://www.example.com”格式的URL", - "textOk": "Ok" + "txtNotUrl": "该字段应为“http://www.example.com”格式的URL" }, "Common": { "Collaboration": { @@ -158,13 +158,13 @@ "textUsers": "用户", "textWidow": "单独控制" }, + "HighlightColorPalette": { + "textNoFill": "无填充" + }, "ThemeColorPalette": { "textCustomColors": "自定义颜色", "textStandartColors": "标准颜色", "textThemeColors": "主题颜色" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -208,6 +208,8 @@ "textAlign": "对齐", "textAllCaps": "全部大写", "textAllowOverlap": "允许重叠", + "textApril": "四月", + "textAugust": "八月", "textAuto": "自动", "textAutomatic": "自动", "textBack": "返回", @@ -215,10 +217,10 @@ "textBandedColumn": "带状列", "textBandedRow": "带状行", "textBefore": "之前", - "textBehind": "之后", + "textBehind": "衬于​​文字下方", "textBorder": "边界", "textBringToForeground": "放到最上面", - "textBullets": "着重号", + "textBullets": "项目符号", "textBulletsAndNumbers": "项目符号与编号", "textCellMargins": "单元格边距", "textChart": "图表", @@ -226,6 +228,8 @@ "textColor": "颜色", "textContinueFromPreviousSection": "从上一节继续", "textCustomColor": "自定义颜色", + "textDecember": "十二月", + "textDesign": "设计", "textDifferentFirstPage": "不同的第一页", "textDifferentOddAndEvenPages": "不同的奇数页和偶数页", "textDisplay": "展示", @@ -233,7 +237,9 @@ "textDoubleStrikethrough": "双删除线", "textEditLink": "编辑链接", "textEffects": "效果", + "textEmpty": "空", "textEmptyImgUrl": "您需要指定图像URL。", + "textFebruary": "二月", "textFill": "填满", "textFirstColumn": "第一列", "textFirstLine": "首行", @@ -242,14 +248,18 @@ "textFontColors": "字体颜色", "textFonts": "字体", "textFooter": "页脚", + "textFr": "周五", "textHeader": "页眉", "textHeaderRow": "页眉行", "textHighlightColor": "颜色高亮", "textHyperlink": "超链接", "textImage": "图片", "textImageURL": "图片地址", - "textInFront": "前面", - "textInline": "内嵌", + "textInFront": "浮于文字上方", + "textInline": "嵌入型​​", + "textJanuary": "一月", + "textJuly": "七月", + "textJune": "六月", "textKeepLinesTogether": "保持同一行", "textKeepWithNext": "与下一个保持一致", "textLastColumn": "最后一列", @@ -258,13 +268,19 @@ "textLink": "链接", "textLinkSettings": "链接设置", "textLinkToPrevious": "链接到上一个", + "textMarch": "三月", + "textMay": "五月", + "textMo": "周一", "textMoveBackward": "向后移动", "textMoveForward": "向前移动", "textMoveWithText": "文字移动", "textNone": "无", "textNoStyles": "这个类型的图表没有对应的样式。", "textNotUrl": "该字段应为“http://www.example.com”格式的URL", + "textNovember": "十一月", "textNumbers": "数字", + "textOctober": "十月", + "textOk": "好", "textOpacity": "不透明度", "textOptions": "选项", "textOrphanControl": "单独控制", @@ -285,9 +301,11 @@ "textReplace": "替换", "textReplaceImage": "替换图像", "textResizeToFitContent": "调整大小以适应内容", + "textSa": "周六", "textScreenTip": "屏幕提示", "textSelectObjectToEdit": "选择要编辑的物件", "textSendToBackground": "送至后台", + "textSeptember": "九月", "textSettings": "设置", "textShape": "形状", "textSize": "大小", @@ -298,39 +316,21 @@ "textStrikethrough": "删除线", "textStyle": "样式", "textStyleOptions": "样式选项", + "textSu": "周日", "textSubscript": "下标", "textSuperscript": "上标", "textTable": "表格", "textTableOptions": "表格选项", "textText": "文本", + "textTh": "周四", "textThrough": "通过", "textTight": "紧", "textTopAndBottom": "上下", "textTotalRow": "总行", + "textTu": "周二", "textType": "类型", - "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" + "textWe": "周三", + "textWrap": "包裹" }, "Error": { "convertationTimeoutText": "转换超时", @@ -487,8 +487,11 @@ "textHasMacros": "这个文件带有自动宏。
是否要运行宏?", "textNo": "不", "textNoLicenseTitle": "触碰到许可证数量限制。", + "textNoTextFound": "未找到文本", "textPaidFeature": "付费功能", "textRemember": "记住我的选择", + "textReplaceSkipped": "已更换。 {0}次跳过。", + "textReplaceSuccess": "搜索已完成。更换次数:{0}", "textYes": "是", "titleLicenseExp": "许可证过期", "titleServerVersion": "编辑器已更新", @@ -500,10 +503,7 @@ "warnLicenseUsersExceeded": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。", "warnNoLicense": "你已经触发了 %1 编辑器的同时在线数限制. 该文档打开后,你将只能查看。请联系 %1 的销售团队,获取个人升级条款。", "warnNoLicenseUsers": "你触发了 %1 编辑器的同时在线数限制。请与 %1 的销售团队联系,以获取个人升级条款。", - "warnProcessRightsChange": "你没有编辑这个文件的权限。", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "你没有编辑这个文件的权限。" }, "Settings": { "advDRMOptions": "受保护的文件", diff --git a/apps/documenteditor/mobile/src/controller/ContextMenu.jsx b/apps/documenteditor/mobile/src/controller/ContextMenu.jsx index 5865e0b11..3da5ad07d 100644 --- a/apps/documenteditor/mobile/src/controller/ContextMenu.jsx +++ b/apps/documenteditor/mobile/src/controller/ContextMenu.jsx @@ -18,7 +18,8 @@ import EditorUIController from '../lib/patch'; canFillForms: stores.storeAppOptions.canFillForms, users: stores.users, isDisconnected: stores.users.isDisconnected, - displayMode: stores.storeReview.displayMode + displayMode: stores.storeReview.displayMode, + dataDoc: stores.storeDocumentInfo.dataDoc })) class ContextMenu extends ContextMenuController { constructor(props) { @@ -29,6 +30,7 @@ class ContextMenu extends ContextMenuController { this.onApiHideComment = this.onApiHideComment.bind(this); this.onApiShowChange = this.onApiShowChange.bind(this); this.getUserName = this.getUserName.bind(this); + this.isUserVisible = this.isUserVisible.bind(this); this.ShowModal = this.ShowModal.bind(this); } @@ -41,6 +43,11 @@ class ContextMenu extends ContextMenuController { return AscCommon.UserInfoParser.getParsedName(user.asc_getUserName()); } + isUserVisible(id) { + const user = this.props.users.searchUserByCurrentId(id); + return user ? (user.asc_getIdOriginal()===this.props.users.currentUser.asc_getIdOriginal() || AscCommon.UserInfoParser.isUserVisible(user.asc_getUserName())) : true; + } + componentWillUnmount() { super.componentWillUnmount(); @@ -63,8 +70,8 @@ class ContextMenu extends ContextMenuController { this.isComments = false; } - onApiShowChange(sdkchange) { - this.inRevisionChange = sdkchange && sdkchange.length>0; + onApiShowChange(sdkchange, isShow) { + this.inRevisionChange = isShow && sdkchange && sdkchange.length>0; } // onMenuClosed() { @@ -230,7 +237,7 @@ class ContextMenu extends ContextMenuController { initMenuItems() { if ( !Common.EditorApi ) return []; - const { isEdit, canFillForms } = this.props; + const { isEdit, canFillForms, isDisconnected } = this.props; if (isEdit && EditorUIController.ContextMenu) { return EditorUIController.ContextMenu.mapMenuItems(this); @@ -277,32 +284,34 @@ class ContextMenu extends ContextMenuController { }); } - if ( canFillForms && canCopy && !locked ) { - itemsIcon.push({ - event: 'cut', - icon: 'icon-cut' - }); - } + if(!isDisconnected) { + if ( canFillForms && canCopy && !locked ) { + itemsIcon.push({ + event: 'cut', + icon: 'icon-cut' + }); + } - if ( canFillForms && !locked ) { - itemsIcon.push({ - event: 'paste', - icon: 'icon-paste' - }); - } + if ( canFillForms && dataDoc.fileType !== 'oform' && !locked ) { + itemsIcon.push({ + event: 'paste', + icon: 'icon-paste' + }); + } - if ( canViewComments && this.isComments ) { - itemsText.push({ - caption: _t.menuViewComment, - event: 'viewcomment' - }); - } + if ( canViewComments && this.isComments ) { + itemsText.push({ + caption: _t.menuViewComment, + event: 'viewcomment' + }); + } - if (api.can_AddQuotedComment() !== false && canCoAuthoring && canComments && !locked && !(!isText && isObject)) { - itemsText.push({ - caption: _t.menuAddComment, - event: 'addcomment' - }); + if (api.can_AddQuotedComment() !== false && canCoAuthoring && canComments && !locked && !(!isText && isObject)) { + itemsText.push({ + caption: _t.menuAddComment, + event: 'addcomment' + }); + } } if ( isLink ) { diff --git a/apps/documenteditor/mobile/src/controller/LongActions.jsx b/apps/documenteditor/mobile/src/controller/LongActions.jsx index 28343acc5..28b2ad789 100644 --- a/apps/documenteditor/mobile/src/controller/LongActions.jsx +++ b/apps/documenteditor/mobile/src/controller/LongActions.jsx @@ -1,9 +1,10 @@ import React, { useEffect } from 'react'; import { f7 } from 'framework7-react'; +import { inject } from 'mobx-react'; import { useTranslation } from 'react-i18next'; import IrregularStack from "../../../../common/mobile/utils/IrregularStack"; -const LongActionsController = () => { +const LongActionsController = inject('storeAppOptions')(({storeAppOptions}) => { const {t} = useTranslation(); const _t = t("LongActions", { returnObjects: true }); @@ -24,11 +25,16 @@ const LongActionsController = () => { }; 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); - }); + }; + + 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); @@ -40,7 +46,8 @@ const LongActionsController = () => { api.asc_unregisterCallback('asc_onEndAction', onLongActionEnd); api.asc_unregisterCallback('asc_onOpenDocumentProgress', onOpenDocument); } - + + 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); @@ -74,96 +81,99 @@ const LongActionsController = () => { const setLongActionView = (action) => { let title = ''; - let text = ''; + // let text = ''; + switch (action.id) { case Asc.c_oAscAsyncAction['Open']: - title = _t.openTitleText; - text = _t.openTextText; + // title = _t.openTitleText; + // text = _t.openTextText; + title = _t.textLoadingDocument; break; case Asc.c_oAscAsyncAction['Save']: title = _t.saveTitleText; - text = _t.saveTextText; + // text = _t.saveTextText; break; case Asc.c_oAscAsyncAction['LoadDocumentFonts']: + if ( !storeAppOptions.isDocReady ) return; title = _t.loadFontsTitleText; - text = _t.loadFontsTextText; + // text = _t.loadFontsTextText; break; case Asc.c_oAscAsyncAction['LoadDocumentImages']: title = _t.loadImagesTitleText; - text = _t.loadImagesTextText; + // text = _t.loadImagesTextText; break; case Asc.c_oAscAsyncAction['LoadFont']: title = _t.loadFontTitleText; - text = _t.loadFontTextText; + // text = _t.loadFontTextText; break; case Asc.c_oAscAsyncAction['LoadImage']: title = _t.loadImageTitleText; - text = _t.loadImageTextText; + // text = _t.loadImageTextText; break; case Asc.c_oAscAsyncAction['DownloadAs']: title = _t.downloadTitleText; - text = _t.downloadTextText; + // text = _t.downloadTextText; break; case Asc.c_oAscAsyncAction['Print']: title = _t.printTitleText; - text = _t.printTextText; + // text = _t.printTextText; break; case Asc.c_oAscAsyncAction['UploadImage']: title = _t.uploadImageTitleText; - text = _t.uploadImageTextText; + // text = _t.uploadImageTextText; break; case Asc.c_oAscAsyncAction['ApplyChanges']: title = _t.applyChangesTitleText; - text = _t.applyChangesTextText; + // text = _t.applyChangesTextText; break; case Asc.c_oAscAsyncAction['PrepareToSave']: title = _t.savePreparingText; - text = _t.savePreparingTitle; + // text = _t.savePreparingTitle; break; case Asc.c_oAscAsyncAction['MailMergeLoadFile']: title = _t.mailMergeLoadFileText; - text = _t.mailMergeLoadFileTitle; + // text = _t.mailMergeLoadFileTitle; break; case Asc.c_oAscAsyncAction['DownloadMerge']: title = _t.downloadMergeTitle; - text = _t.downloadMergeText; + // text = _t.downloadMergeText; break; case Asc.c_oAscAsyncAction['SendMailMerge']: title = _t.sendMergeTitle; - text = _t.sendMergeText; + // text = _t.sendMergeText; break; case Asc.c_oAscAsyncAction['Waiting']: title = _t.waitText; - text = _t.waitText; + // text = _t.waitText; break; case ApplyEditRights: title = _t.txtEditingMode; - text = _t.txtEditingMode; + // text = _t.txtEditingMode; break; case LoadingDocument: title = _t.loadingDocumentTitleText; - text = _t.loadingDocumentTextText; + // text = _t.loadingDocumentTextText; break; default: if (typeof action.id == 'string'){ title = action.id; - text = action.id; + // text = action.id; } break; } @@ -194,6 +204,6 @@ const LongActionsController = () => { } return null; -}; +}); export default LongActionsController; \ No newline at end of file diff --git a/apps/documenteditor/mobile/src/controller/Main.jsx b/apps/documenteditor/mobile/src/controller/Main.jsx index 16eb08511..c9ba77dfe 100644 --- a/apps/documenteditor/mobile/src/controller/Main.jsx +++ b/apps/documenteditor/mobile/src/controller/Main.jsx @@ -407,7 +407,8 @@ class MainController extends Component { onLicenseChanged (params) { const appOptions = this.props.storeAppOptions; const licType = params.asc_getLicenseType(); - if (licType !== undefined && appOptions.canEdit && appOptions.config.mode !== 'view' && + + if (licType !== undefined && (appOptions.canEdit || appOptions.isRestrictedEdit) && appOptions.config.mode !== 'view' && (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; @@ -558,6 +559,9 @@ class MainController extends Component { }); this.api.asc_registerCallback('asc_onShowContentControlsActions', (obj, x, y) => { + const storeAppOptions = this.props.storeAppOptions; + if (!storeAppOptions.isEdit && !(storeAppOptions.isRestrictedEdit && storeAppOptions.canFillForms) || this.props.users.isDisconnected) return; + switch (obj.type) { case Asc.c_oAscContentControlSpecificType.DateTime: this.onShowDateActions(obj, x, y); @@ -705,19 +709,20 @@ class MainController extends Component { onShowDateActions(obj, x, y) { const { t } = this.props; + const boxSdk = $$('#editor_sdk'); + let props = obj.pr, specProps = props.get_DateTimePr(), - isPhone = Device.isPhone; + isPhone = Device.isPhone, + controlsContainer = boxSdk.find('#calendar-target-element'), + _dateObj = props; - this.controlsContainer = this.boxSdk.find('#calendar-target-element'); - this._dateObj = props; - - if (this.controlsContainer.length < 1) { - this.controlsContainer = $$('
'); - this.boxSdk.append(this.controlsContainer); + if (controlsContainer.length < 1) { + controlsContainer = $$('
'); + boxSdk.append(controlsContainer); } - this.controlsContainer.css({left: `${x}px`, top: `${y}px`}); + controlsContainer.css({left: `${x}px`, top: `${y}px`}); this.cmpCalendar = f7.calendar.create({ inputEl: '#calendar-target-element', @@ -730,7 +735,7 @@ class MainController extends Component { on: { change: (calendar, value) => { if(calendar.initialized && value[0]) { - let specProps = this._dateObj.get_DateTimePr(); + let specProps = _dateObj.get_DateTimePr(); specProps.put_FullDate(new Date(value[0])); this.api.asc_SetContentControlDatePickerDate(specProps); calendar.close(); @@ -747,14 +752,15 @@ class MainController extends Component { onShowListActions(obj, x, y) { if(!Device.isPhone) { - this.dropdownListTarget = this.boxSdk.find('#dropdown-list-target'); + const boxSdk = $$('#editor_sdk'); + let dropdownListTarget = boxSdk.find('#dropdown-list-target'); - if (this.dropdownListTarget.length < 1) { - this.dropdownListTarget = $$(''); - this.boxSdk.append(this.dropdownListTarget); + if (dropdownListTarget.length < 1) { + dropdownListTarget = $$(''); + boxSdk.append(dropdownListTarget); } - this.dropdownListTarget.css({left: `${x}px`, top: `${y}px`}); + dropdownListTarget.css({left: `${x}px`, top: `${y}px`}); } Common.Notifications.trigger('openDropdownList', obj); diff --git a/apps/documenteditor/mobile/src/controller/Search.jsx b/apps/documenteditor/mobile/src/controller/Search.jsx index c5f062726..b51fadee1 100644 --- a/apps/documenteditor/mobile/src/controller/Search.jsx +++ b/apps/documenteditor/mobile/src/controller/Search.jsx @@ -108,12 +108,12 @@ const Search = withTranslation()(props => { f7.popover.close('.document-menu.modal-in', false); if (params.find && params.find.length) { - - if(params.highlight) api.asc_selectSearchingResults(true); - - if (!api.asc_findText(params.find, params.forward, params.caseSensitive, params.highlight) ) { - f7.dialog.alert(null, _t.textNoTextFound); - } + + if (params.highlight) api.asc_selectSearchingResults(true); + + api.asc_findText(params.find, params.forward, params.caseSensitive, function (resultCount) { + !resultCount && f7.dialog.alert(null, _t.textNoTextFound); + }); } }; diff --git a/apps/documenteditor/mobile/src/controller/add/AddTable.jsx b/apps/documenteditor/mobile/src/controller/add/AddTable.jsx index 7916390a1..b0ff95107 100644 --- a/apps/documenteditor/mobile/src/controller/add/AddTable.jsx +++ b/apps/documenteditor/mobile/src/controller/add/AddTable.jsx @@ -37,7 +37,7 @@ class AddTableController extends Component { text: '', content: '
' + - '
' + + '
' + '
' + _t.textColumns + '
' + '
' + _t.textRows + '
' + '
' + diff --git a/apps/documenteditor/mobile/src/less/app-ios.less b/apps/documenteditor/mobile/src/less/app-ios.less index 74ddb7925..0682ba596 100644 --- a/apps/documenteditor/mobile/src/less/app-ios.less +++ b/apps/documenteditor/mobile/src/less/app-ios.less @@ -32,7 +32,7 @@ border-top: 1px solid #446995; border-bottom: 1px solid #446995; input { - color: #000; + color: @text-normal; font-size: 17px; font-weight: var(--f7-list-item-after-line-height); } diff --git a/apps/documenteditor/mobile/src/less/app-material.less b/apps/documenteditor/mobile/src/less/app-material.less index 3b91a75f5..f40579d15 100644 --- a/apps/documenteditor/mobile/src/less/app-material.less +++ b/apps/documenteditor/mobile/src/less/app-material.less @@ -79,7 +79,7 @@ border:none; input { - color: #000; + color: @text-normal; font-size: 16px; width: 40px; font-weight: var(--f7-list-item-after-line-height); diff --git a/apps/documenteditor/mobile/src/less/app.less b/apps/documenteditor/mobile/src/less/app.less index d6bca0d7e..458d0f844 100644 --- a/apps/documenteditor/mobile/src/less/app.less +++ b/apps/documenteditor/mobile/src/less/app.less @@ -4,6 +4,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'; + @brandColor: var(--brand-word); .device-ios { @@ -37,6 +38,7 @@ @import './app-ios.less'; @import './icons-ios.less'; @import './icons-material.less'; +@import './icons-common.less'; :root { --f7-popover-width: 360px; @@ -157,7 +159,7 @@ height: 50px; } -// Table of Contents +// Table of Contents .item-contents { padding: 0 16px; @@ -226,4 +228,16 @@ margin: 0; } +// Picker +.row-picker { + .col-50 { + color: @text-secondary; + } +} + +.calendar-sheet{ + .calendar-day-weekend { + color: #D25252; + } +} diff --git a/apps/documenteditor/mobile/src/less/icons-common.less b/apps/documenteditor/mobile/src/less/icons-common.less new file mode 100644 index 000000000..6d834af08 --- /dev/null +++ b/apps/documenteditor/mobile/src/less/icons-common.less @@ -0,0 +1,57 @@ +// Formats + +i.icon { + &.icon-format-docx { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + + &.icon-format-docxf { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + + &.icon-format-oform { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + + &.icon-format-txt { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + + &.icon-format-rtf { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + + &.icon-format-odt { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + + &.icon-format-html { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + + &.icon-format-dotx { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + + &.icon-format-ott { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } +} \ No newline at end of file diff --git a/apps/documenteditor/mobile/src/less/icons-ios.less b/apps/documenteditor/mobile/src/less/icons-ios.less index 72da50509..05acd18bb 100644 --- a/apps/documenteditor/mobile/src/less/icons-ios.less +++ b/apps/documenteditor/mobile/src/less/icons-ios.less @@ -92,64 +92,8 @@ .encoded-svg-mask(''); } - // Download - - &.icon-format-docx { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - &.icon-format-pdf { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - &.icon-format-pdfa { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - &.icon-format-txt { - width: 24px; - height: 24px; - .encoded-svg-mask('') - } - - &.icon-format-rtf { - width: 24px; - height: 24px; - .encoded-svg-mask('') - } - - &.icon-format-odt { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - &.icon-format-html { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - &.icon-format-dotx { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - &.icon-format-ott { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - - //Edit + // Edit + &.icon-text-additional { width: 22px; height: 22px; diff --git a/apps/documenteditor/mobile/src/less/icons-material.less b/apps/documenteditor/mobile/src/less/icons-material.less index 39f800ac5..7a487a239 100644 --- a/apps/documenteditor/mobile/src/less/icons-material.less +++ b/apps/documenteditor/mobile/src/less/icons-material.less @@ -78,7 +78,7 @@ &.icon-expand-down { width: 17px; height: 17px; - .encoded-svg-mask('', @fill-white); + .encoded-svg-mask(''); } &.icon-expand-up { width: 17px; @@ -152,64 +152,7 @@ .encoded-svg-mask(''); } - // Download - - &.icon-format-docx { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - &.icon-format-pdf { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - &.icon-format-pdfa { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - &.icon-format-txt { - width: 24px; - height: 24px; - .encoded-svg-mask('') - } - - &.icon-format-rtf { - width: 24px; - height: 24px; - .encoded-svg-mask('') - } - - &.icon-format-odt { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - &.icon-format-html { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - &.icon-format-dotx { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - &.icon-format-ott { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - - //Edit + // Edit &.icon-text-align-left { width: 22px; diff --git a/apps/documenteditor/mobile/src/page/main.jsx b/apps/documenteditor/mobile/src/page/main.jsx index 6c012beda..f8867cd70 100644 --- a/apps/documenteditor/mobile/src/page/main.jsx +++ b/apps/documenteditor/mobile/src/page/main.jsx @@ -1,6 +1,6 @@ import React, { Component } from 'react'; -import { f7 } from 'framework7-react'; +import { f7, Link } from 'framework7-react'; import { Page, View, Navbar, Subnavbar, Icon } from 'framework7-react'; import { observer, inject } from "mobx-react"; @@ -108,7 +108,9 @@ class MainPage extends Component { {/* Top Navbar */} - {showLogo && appOptions.canBranding !== undefined &&
} + {showLogo && appOptions.canBranding !== undefined &&
{ + window.open(`${__PUBLISHER_URL__}`, "_blank"); + }}>
} diff --git a/apps/documenteditor/mobile/src/store/appOptions.js b/apps/documenteditor/mobile/src/store/appOptions.js index 982cc421f..83a839d05 100644 --- a/apps/documenteditor/mobile/src/store/appOptions.js +++ b/apps/documenteditor/mobile/src/store/appOptions.js @@ -20,6 +20,7 @@ export class storeAppOptions { changeReaderMode: action, canBrandingExt: observable, + canBranding: observable, isDocReady: observable, changeDocReady: action @@ -47,6 +48,7 @@ export class storeAppOptions { } canBrandingExt = false; + canBranding = false; isDocReady = false; changeDocReady (value) { @@ -139,8 +141,10 @@ export class storeAppOptions { this.canUseReviewPermissions = this.canLicense && (!!permissions.reviewGroups || this.customization && this.customization.reviewPermissions && (typeof (this.customization.reviewPermissions) == 'object')); this.canUseCommentPermissions = this.canLicense && !!permissions.commentGroups; + this.canUseUserInfoPermissions = this.canLicense && !!permissions.userInfoGroups; this.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(permissions.reviewGroups, this.customization.reviewPermissions); this.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(permissions.commentGroups); + this.canUseUserInfoPermissions && AscCommon.UserInfoParser.setUserInfoPermissions(permissions.userInfoGroups); } setCanViewReview (value) { this.canViewReview = value; diff --git a/apps/documenteditor/mobile/src/store/textSettings.js b/apps/documenteditor/mobile/src/store/textSettings.js index c5526df34..b3c50936d 100644 --- a/apps/documenteditor/mobile/src/store/textSettings.js +++ b/apps/documenteditor/mobile/src/store/textSettings.js @@ -101,11 +101,11 @@ export class storeTextSettings { this.thumbCanvas = document.createElement('canvas'); this.thumbContext = this.thumbCanvas.getContext('2d'); this.thumbs = [ - {ratio: 1, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail.png', width: this.iconWidth, height: this.iconHeight}, - {ratio: 1.25, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail@1.25x.png', width: this.iconWidth * 1.25, height: this.iconHeight * 1.25}, - {ratio: 1.5, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail@1.5x.png', width: this.iconWidth * 1.5, height: this.iconHeight * 1.5}, - {ratio: 1.75, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail@1.75x.png', width: this.iconWidth * 1.75, height: this.iconHeight * 1.75}, - {ratio: 2, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail@2x.png', width: this.iconWidth * 2, height: this.iconHeight * 2} + {ratio: 1, path: '../../../../../sdkjs/common/Images/fonts_thumbnail.png', width: this.iconWidth, height: this.iconHeight}, + {ratio: 1.25, path: '../../../../../sdkjs/common/Images/fonts_thumbnail@1.25x.png', width: this.iconWidth * 1.25, height: this.iconHeight * 1.25}, + {ratio: 1.5, path: '../../../../../sdkjs/common/Images/fonts_thumbnail@1.5x.png', width: this.iconWidth * 1.5, height: this.iconHeight * 1.5}, + {ratio: 1.75, path: '../../../../../sdkjs/common/Images/fonts_thumbnail@1.75x.png', width: this.iconWidth * 1.75, height: this.iconHeight * 1.75}, + {ratio: 2, path: '../../../../../sdkjs/common/Images/fonts_thumbnail@2x.png', width: this.iconWidth * 2, height: this.iconHeight * 2} ]; const applicationPixelRatio = Common.Utils.applicationPixelRatio(); diff --git a/apps/documenteditor/mobile/src/view/edit/EditText.jsx b/apps/documenteditor/mobile/src/view/edit/EditText.jsx index cced67389..a51e2883d 100644 --- a/apps/documenteditor/mobile/src/view/edit/EditText.jsx +++ b/apps/documenteditor/mobile/src/view/edit/EditText.jsx @@ -218,6 +218,8 @@ const PageBullets = observer( props => { onClick={() => { if (bullet.type === -1) { storeTextSettings.resetBullets(-1); + } else { + storeTextSettings.resetBullets(bullet.type); } props.onBullet(bullet.type); }}> @@ -265,6 +267,8 @@ const PageNumbers = observer( props => { onClick={() => { if (number.type === -1) { storeTextSettings.resetNumbers(-1); + } else { + storeTextSettings.resetNumbers(number.type); } props.onNumber(number.type); }}> @@ -334,9 +338,15 @@ const PageBulletsAndNumbers = props => { }
- - - + + + + + + + + +
) diff --git a/apps/documenteditor/mobile/src/view/settings/ApplicationSettings.jsx b/apps/documenteditor/mobile/src/view/settings/ApplicationSettings.jsx index a9500b69c..f09d4eb2f 100644 --- a/apps/documenteditor/mobile/src/view/settings/ApplicationSettings.jsx +++ b/apps/documenteditor/mobile/src/view/settings/ApplicationSettings.jsx @@ -50,11 +50,6 @@ const PageApplicationSettings = props => { }} /> - - {Themes.switchDarkTheme(!toggle), setIsThemeDark(!toggle)}}> - - {/*ToDo: if (DisplayMode == "final" || DisplayMode == "original") {disabled} */} @@ -95,6 +90,15 @@ const PageApplicationSettings = props => { /> + + + + {Themes.switchDarkTheme(!toggle), setIsThemeDark(!toggle)}}> + + + + {_isShowMacros && { } if(errorMsg) { - f7.popover.close('#settings-popover'); f7.dialog.alert(errorMsg, _t.notcriticalErrorTitle); return; } diff --git a/apps/documenteditor/mobile/src/view/settings/Download.jsx b/apps/documenteditor/mobile/src/view/settings/Download.jsx index 82d2ded93..4e822fd2e 100644 --- a/apps/documenteditor/mobile/src/view/settings/Download.jsx +++ b/apps/documenteditor/mobile/src/view/settings/Download.jsx @@ -17,6 +17,15 @@ const Download = props => { props.onSaveFormat(Asc.c_oAscFileType.DOCX)}> + {dataDoc.fileType === 'docxf' || dataDoc.fileType === 'docx' ? [ + props.onSaveFormat(Asc.c_oAscFileType.DOCXF)}> + + , + props.onSaveFormat(Asc.c_oAscFileType.OFORM)}> + + + ] + : null} props.onSaveFormat(Asc.c_oAscFileType.PDF)}> diff --git a/apps/documenteditor/mobile/src/view/settings/Settings.jsx b/apps/documenteditor/mobile/src/view/settings/Settings.jsx index 299c5ad0a..e22481bfa 100644 --- a/apps/documenteditor/mobile/src/view/settings/Settings.jsx +++ b/apps/documenteditor/mobile/src/view/settings/Settings.jsx @@ -173,9 +173,9 @@ const SettingsList = inject("storeAppOptions", "storeReview")(observer(props => } {_canDownloadOrigin && - - - + + + } {_canPrint && @@ -219,7 +219,7 @@ class SettingsView extends Component { const show_popover = this.props.usePopover; return ( show_popover ? - this.props.onclosed()}> + this.props.onclosed()}> : this.props.onclosed()}> diff --git a/apps/presentationeditor/embed/locale/be.json b/apps/presentationeditor/embed/locale/be.json index 0d2f6ebd0..9f4303dc1 100644 --- a/apps/presentationeditor/embed/locale/be.json +++ b/apps/presentationeditor/embed/locale/be.json @@ -13,10 +13,16 @@ "PE.ApplicationController.errorDefaultMessage": "Код памылкі: %1", "PE.ApplicationController.errorFilePassProtect": "Файл абаронены паролем, яго немагчыма адкрыць.", "PE.ApplicationController.errorFileSizeExceed": "Памер файла перавышае ліміт, вызначаны для вашага сервера.
Звярніцеся да адміністратара сервера дакументаў за дадатковымі звесткамі.", + "PE.ApplicationController.errorForceSave": "Падчас захавання файла адбылася памылка. Калі ласка, выкарыстайце параметр \"Спампаваць як\", каб захаваць файл на цвёрдым дыску камп’ютара, альбо паспрабуйце яшчэ раз пазней.", + "PE.ApplicationController.errorLoadingFont": "Шрыфты не загрузіліся.
Звярніцеся да адміністратара сервера дакументаў.", + "PE.ApplicationController.errorTokenExpire": "Тэрмін дзеяння токена бяспекі дакумента сышоў.
Калі ласка, звярніцеся да адміністратара сервера дакументаў.", "PE.ApplicationController.errorUpdateVersionOnDisconnect": "Злучэнне з інтэрнэтам было адноўлена, і версія файла змянілася.
Перш чым працягнуць працу, неабходна спампаваць файл альбо скапіяваць яго змесціва, каб захаваць даныя, а пасля перазагрузіць старонку.", "PE.ApplicationController.errorUserDrop": "На дадзены момант файл недаступны.", "PE.ApplicationController.notcriticalErrorTitle": "Увага", + "PE.ApplicationController.openErrorText": "Падчас адкрыцця файла адбылася памылка.", "PE.ApplicationController.scriptLoadError": "Занадта павольнае злучэнне, не ўсе кампаненты атрымалася загрузіць. Калі ласка, абнавіце старонку.", + "PE.ApplicationController.textAnonymous": "Ананімны карыстальнік", + "PE.ApplicationController.textGuest": "Госць", "PE.ApplicationController.textLoadingDocument": "Загрузка прэзентацыі", "PE.ApplicationController.textOf": "з", "PE.ApplicationController.txtClose": "Закрыць", @@ -25,6 +31,7 @@ "PE.ApplicationController.waitText": "Калі ласка, пачакайце...", "PE.ApplicationView.txtDownload": "Спампаваць", "PE.ApplicationView.txtEmbed": "Убудаваць", + "PE.ApplicationView.txtFileLocation": "Перайсці да дакументаў", "PE.ApplicationView.txtFullScreen": "Поўнаэкранны рэжым", "PE.ApplicationView.txtPrint": "Друк", "PE.ApplicationView.txtShare": "Падзяліцца" diff --git a/apps/presentationeditor/embed/locale/ca.json b/apps/presentationeditor/embed/locale/ca.json index b889d8db1..6b1e63a0e 100644 --- a/apps/presentationeditor/embed/locale/ca.json +++ b/apps/presentationeditor/embed/locale/ca.json @@ -4,35 +4,35 @@ "common.view.modals.txtHeight": "Alçada", "common.view.modals.txtShare": "Comparteix l'enllaç", "common.view.modals.txtWidth": "Amplada", - "PE.ApplicationController.convertationErrorText": "No s'ha pogut convertir", + "PE.ApplicationController.convertationErrorText": "No s'ha pogut convertir.", "PE.ApplicationController.convertationTimeoutText": "S'ha superat el temps de conversió.", "PE.ApplicationController.criticalErrorTitle": "Error", - "PE.ApplicationController.downloadErrorText": "S'ha produït un error en la baixada", + "PE.ApplicationController.downloadErrorText": "La baixada ha fallat.", "PE.ApplicationController.downloadTextText": "S'està baixant la presentació...", - "PE.ApplicationController.errorAccessDeny": "No tens permisos per realitzar aquesta acció.
Contacta amb el teu administrador del servidor de documents.", - "PE.ApplicationController.errorDefaultMessage": "Codi d'error:%1", + "PE.ApplicationController.errorAccessDeny": "No teniu permisos per realitzar aquesta acció.
Contacteu amb el vostre administrador del servidor de documents.", + "PE.ApplicationController.errorDefaultMessage": "Codi d'error: %1", "PE.ApplicationController.errorFilePassProtect": "El fitxer està protegit amb contrasenya i no es pot obrir.", - "PE.ApplicationController.errorFileSizeExceed": "La mida del fitxer supera el límit establert pel teu servidor. Contacta amb el teu administrador del servidor de documents per obtenir més informació.", - "PE.ApplicationController.errorForceSave": "S'ha produït un error en desar el fitxer. Utilitza l'opció \"Baixa-ho com a\" per desar el fitxer al disc dur de l’ordinador o torna-ho a provar més endavant.", - "PE.ApplicationController.errorLoadingFont": "No s'han carregat els tipus de lletra.
Contacta amb l'administrador del Servidor de Documents.", - "PE.ApplicationController.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacta amb l'administrador del servidor de documents.", - "PE.ApplicationController.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.", - "PE.ApplicationController.errorUserDrop": "Ara mateix no es pot accedir al fitxer.", + "PE.ApplicationController.errorFileSizeExceed": "La mida del fitxer supera el límit establert per al servidor.
Contacteu amb l'administrador del servidor de documents per a obtenir més informació.", + "PE.ApplicationController.errorForceSave": "S'ha produït un error en desar el fitxer. Utilitzeu l'opció «Anomena i baixa» per a desar el fitxer al disc dur de l’ordinador o torneu-ho a provar més endavant.", + "PE.ApplicationController.errorLoadingFont": "No s'han carregat les famílies tipogràfiques.
Contacteu amb l'administrador del servidor de documents.", + "PE.ApplicationController.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacteu amb l'administrador del servidor de documents.", + "PE.ApplicationController.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 a assegurar-vos que no es perdi res i, després, torneu a carregar la pàgina.", + "PE.ApplicationController.errorUserDrop": "No es pot accedir al fitxer.", "PE.ApplicationController.notcriticalErrorTitle": "Advertiment", "PE.ApplicationController.openErrorText": "S'ha produït un error en obrir el fitxer.", - "PE.ApplicationController.scriptLoadError": "La connexió és massa lenta, alguns dels components no s’han pogut carregar. Torna a carregar la pàgina.", + "PE.ApplicationController.scriptLoadError": "La connexió és massa lenta, alguns dels components no s'han pogut carregar. Torneu a carregar la pàgina.", "PE.ApplicationController.textAnonymous": "Anònim", "PE.ApplicationController.textGuest": "Convidat", "PE.ApplicationController.textLoadingDocument": "S'està carregant la presentació", "PE.ApplicationController.textOf": "de", "PE.ApplicationController.txtClose": "Tanca", "PE.ApplicationController.unknownErrorText": "Error desconegut.", - "PE.ApplicationController.unsupportedBrowserErrorText": "El teu navegador no és compatible.", - "PE.ApplicationController.waitText": "Espera...", + "PE.ApplicationController.unsupportedBrowserErrorText": "El vostre navegador no és compatible.", + "PE.ApplicationController.waitText": "Espereu...", "PE.ApplicationView.txtDownload": "Baixa", "PE.ApplicationView.txtEmbed": "Incrusta", "PE.ApplicationView.txtFileLocation": "Obre la ubicació del fitxer", - "PE.ApplicationView.txtFullScreen": "Pantalla sencera", + "PE.ApplicationView.txtFullScreen": "Pantalla completa", "PE.ApplicationView.txtPrint": "Imprimeix", "PE.ApplicationView.txtShare": "Comparteix" } \ No newline at end of file diff --git a/apps/presentationeditor/embed/locale/es.json b/apps/presentationeditor/embed/locale/es.json index be4ef8ae6..c0b9b7a54 100644 --- a/apps/presentationeditor/embed/locale/es.json +++ b/apps/presentationeditor/embed/locale/es.json @@ -1,38 +1,38 @@ { "common.view.modals.txtCopy": "Copiar al portapapeles", - "common.view.modals.txtEmbed": "Incorporar", + "common.view.modals.txtEmbed": "Insertar", "common.view.modals.txtHeight": "Altura", "common.view.modals.txtShare": "Compartir enlace", "common.view.modals.txtWidth": "Ancho", - "PE.ApplicationController.convertationErrorText": "Fallo de conversión.", - "PE.ApplicationController.convertationTimeoutText": "Límite de tiempo de conversión está superado.", + "PE.ApplicationController.convertationErrorText": "Se ha producido un error en la conversión.", + "PE.ApplicationController.convertationTimeoutText": "Se ha superado el tiempo de conversión.", "PE.ApplicationController.criticalErrorTitle": "Error", - "PE.ApplicationController.downloadErrorText": "Fallo en descarga.", + "PE.ApplicationController.downloadErrorText": "Se ha producido un error en la descarga", "PE.ApplicationController.downloadTextText": "Descargando presentación...", - "PE.ApplicationController.errorAccessDeny": "Usted no tiene permisos para realizar la acción que está intentando hacer.
Por favor, contacte con su Administrador del Servidor de Documentos.", + "PE.ApplicationController.errorAccessDeny": "Está intentando realizar una acción para la que no tiene permiso.
Contacte con el administrador del servidor de documentos.", "PE.ApplicationController.errorDefaultMessage": "Código de error: %1", - "PE.ApplicationController.errorFilePassProtect": "El archivo está protegido por una contraseña y no puede ser abierto.", - "PE.ApplicationController.errorFileSizeExceed": "El tamaño del archivo excede la limitación establecida para su servidor. Póngase en contacto con el administrador del Servidor de documentos para obtener más información.", - "PE.ApplicationController.errorForceSave": "Ha ocurrido un error al guardar el archivo. Por favor, use la opción \"Descargar como\" para guardar el archivo en el disco duro de su ordenador o inténtelo de nuevo más tarde.", - "PE.ApplicationController.errorLoadingFont": "Las fuentes no están cargadas.
Por favor, póngase en contacto con el administrador del Document Server.", - "PE.ApplicationController.errorTokenExpire": "El token de seguridad del documento ha expirado.
Por favor, póngase en contacto con el administrador del Servidor de Documentos.", - "PE.ApplicationController.errorUpdateVersionOnDisconnect": "La conexión a Internet ha sido restaurada, y la versión del archivo ha sido cambiada. Antes de poder seguir trabajando, es necesario descargar el archivo o copiar su contenido para asegurarse de que no se pierda nada, y luego recargar esta página. ", - "PE.ApplicationController.errorUserDrop": "No se puede acceder al archivo ahora mismo.", - "PE.ApplicationController.notcriticalErrorTitle": "Aviso", + "PE.ApplicationController.errorFilePassProtect": "El archivo está protegido por una contraseña y no se puede abrir.", + "PE.ApplicationController.errorFileSizeExceed": "El tamaño del archivo supera el límiete establecido por su servidor.
Contacte con el administrador del servidor de documentos para obtener más detalles.", + "PE.ApplicationController.errorForceSave": "Se ha producido un error al guardar el archivo. Utilice la opción \"Descargar como\" para guardar el archivo en el disco duro de su ordenador o inténtelo más tarde.", + "PE.ApplicationController.errorLoadingFont": "Los tipos de letra no están cargados.
Contacte con el administrador del servidor de documentos.", + "PE.ApplicationController.errorTokenExpire": "El token de seguridad del documento ha expirado.
Contacte con el administrador del servidor de documentos", + "PE.ApplicationController.errorUpdateVersionOnDisconnect": "Se ha restablecido la conexión a Internet y se ha cambiado la versión del archivo.
Para poder seguir trabajando, es necesario descargar el archivo o copiar su contenido para asegurarse de que no se ha perdido nada, y luego volver a cargar esta página.", + "PE.ApplicationController.errorUserDrop": "No se puede acceder al archivo.", + "PE.ApplicationController.notcriticalErrorTitle": "Advertencia", "PE.ApplicationController.openErrorText": "Se ha producido un error al abrir el archivo. ", - "PE.ApplicationController.scriptLoadError": "La conexión a Internet es demasiado lenta, no se podía cargar algunos componentes. Por favor, recargue la página.", + "PE.ApplicationController.scriptLoadError": "La conexión a Internet es demasiado lenta, algunos de los componentes no se han podido cargar. Recargue la página.", "PE.ApplicationController.textAnonymous": "Anónimo", "PE.ApplicationController.textGuest": "Invitado", "PE.ApplicationController.textLoadingDocument": "Cargando presentación", "PE.ApplicationController.textOf": "de", "PE.ApplicationController.txtClose": "Cerrar", "PE.ApplicationController.unknownErrorText": "Error desconocido.", - "PE.ApplicationController.unsupportedBrowserErrorText": "Su navegador no está soportado.", - "PE.ApplicationController.waitText": "Por favor, espere...", + "PE.ApplicationController.unsupportedBrowserErrorText": "Su navegador no es compatible.", + "PE.ApplicationController.waitText": "Espere...", "PE.ApplicationView.txtDownload": "Descargar", - "PE.ApplicationView.txtEmbed": "Incorporar", + "PE.ApplicationView.txtEmbed": "Insertar", "PE.ApplicationView.txtFileLocation": "Abrir ubicación del archivo", - "PE.ApplicationView.txtFullScreen": "Pantalla Completa", + "PE.ApplicationView.txtFullScreen": "Pantalla completa", "PE.ApplicationView.txtPrint": "Imprimir", "PE.ApplicationView.txtShare": "Compartir" } \ No newline at end of file diff --git a/apps/presentationeditor/embed/locale/id.json b/apps/presentationeditor/embed/locale/id.json index d78e86bb4..826ba68e6 100644 --- a/apps/presentationeditor/embed/locale/id.json +++ b/apps/presentationeditor/embed/locale/id.json @@ -1,13 +1,13 @@ { "common.view.modals.txtCopy": "Disalin ke papan klip", "common.view.modals.txtEmbed": "Melekatkan", - "common.view.modals.txtHeight": "Tinggi", + "common.view.modals.txtHeight": "Ketinggian", "common.view.modals.txtShare": "Bagi tautan", "common.view.modals.txtWidth": "Lebar", - "PE.ApplicationController.convertationErrorText": "Perubahan gagal", - "PE.ApplicationController.convertationTimeoutText": "pengubahan melebihi batas waktu ", + "PE.ApplicationController.convertationErrorText": "Konversi gagal.", + "PE.ApplicationController.convertationTimeoutText": "Waktu konversi habis.", "PE.ApplicationController.criticalErrorTitle": "Kesalahan", - "PE.ApplicationController.downloadErrorText": "Gagal mengunduh", + "PE.ApplicationController.downloadErrorText": "Unduhan gagal.", "PE.ApplicationController.downloadTextText": "Mengunduh penyajian", "PE.ApplicationController.errorAccessDeny": "Kamu mencoba melakukan sebuah", "PE.ApplicationController.errorDefaultMessage": "Kode kesalahan %1", @@ -17,14 +17,16 @@ "PE.ApplicationController.errorUserDrop": "File tidak dapat di akses", "PE.ApplicationController.notcriticalErrorTitle": "Peringatan", "PE.ApplicationController.scriptLoadError": "Koneksi terlalu lambat,", + "PE.ApplicationController.textAnonymous": "Anonim", "PE.ApplicationController.textLoadingDocument": "Memuat penyajian", "PE.ApplicationController.textOf": "Dari", "PE.ApplicationController.txtClose": "Tutup", "PE.ApplicationController.unknownErrorText": "Kesalahan tidak diketahui", "PE.ApplicationController.unsupportedBrowserErrorText": "Peramban kamu tidak didukung", - "PE.ApplicationController.waitText": "Silahkan menunggu", + "PE.ApplicationController.waitText": "Mohon menunggu", "PE.ApplicationView.txtDownload": "Unduh", "PE.ApplicationView.txtEmbed": "Melekatkan", + "PE.ApplicationView.txtFileLocation": "Buka Dokumen", "PE.ApplicationView.txtFullScreen": "Layar penuh", - "PE.ApplicationView.txtShare": "Bagi" + "PE.ApplicationView.txtShare": "Bagikan" } \ No newline at end of file diff --git a/apps/presentationeditor/embed/locale/nl.json b/apps/presentationeditor/embed/locale/nl.json index 7bbe3500e..530ea189c 100644 --- a/apps/presentationeditor/embed/locale/nl.json +++ b/apps/presentationeditor/embed/locale/nl.json @@ -4,16 +4,16 @@ "common.view.modals.txtHeight": "Hoogte", "common.view.modals.txtShare": "Link delen", "common.view.modals.txtWidth": "Breedte", - "PE.ApplicationController.convertationErrorText": "Conversie is mislukt", + "PE.ApplicationController.convertationErrorText": "Conversie mislukt.", "PE.ApplicationController.convertationTimeoutText": "Time-out voor conversie overschreden.", "PE.ApplicationController.criticalErrorTitle": "Fout", "PE.ApplicationController.downloadErrorText": "Download mislukt.", - "PE.ApplicationController.downloadTextText": "Presentatie wordt gedownload...", - "PE.ApplicationController.errorAccessDeny": "U probeert een actie uit te voeren waarvoor u geen rechten hebt.
Neem alstublieft contact op met de beheerder van de documentserver.", + "PE.ApplicationController.downloadTextText": "Presentatie downloaden...", + "PE.ApplicationController.errorAccessDeny": "Je probeert een actie uit te voeren waarvoor je geen rechten hebt.
Neem contact op met de beheerder van de documentserver.", "PE.ApplicationController.errorDefaultMessage": "Foutcode: %1", "PE.ApplicationController.errorFilePassProtect": "Het bestand is beschermd met een wachtwoord en kan niet worden geopend.", "PE.ApplicationController.errorFileSizeExceed": "De bestandsgrootte overschrijdt de limiet die is ingesteld voor uw server.
Neem alstublieft contact op met de beheerder van de documentserver voor verdere details.", - "PE.ApplicationController.errorForceSave": "Er is een fout opgetreden bij het opslaan van het bestand. Gebruik de 'Download als' knop om het bestand op te slaan op uw computer of probeer het later nog eens.", + "PE.ApplicationController.errorForceSave": "Er is een fout opgetreden bij het opslaan van het bestand. Gebruik de 'Download als' knop om het bestand op te slaan op je apparaat of probeer het later nog eens.", "PE.ApplicationController.errorLoadingFont": "Lettertypes zijn niet geladen.\nNeem alstublieft contact op met de beheerder van de documentserver.", "PE.ApplicationController.errorTokenExpire": "Het token voor de documentbeveiliging is vervallen.
Neem alstublieft contact op met de beheerder van de documentserver.", "PE.ApplicationController.errorUpdateVersionOnDisconnect": "De internetverbinding is hersteld en de bestandsversie is gewijzigd.
Voordat u verder kunt werken, moet u het bestand downloaden of de inhoud kopiëren om er zeker van te zijn dat er niets verloren gaat, en deze pagina vervolgens opnieuw laden.", @@ -25,11 +25,11 @@ "PE.ApplicationController.textGuest": "Gast", "PE.ApplicationController.textLoadingDocument": "Presentatie wordt geladen", "PE.ApplicationController.textOf": "van", - "PE.ApplicationController.txtClose": "Afsluiten", + "PE.ApplicationController.txtClose": "Sluit", "PE.ApplicationController.unknownErrorText": "Onbekende fout.", - "PE.ApplicationController.unsupportedBrowserErrorText": "Uw browser wordt niet ondersteund.", + "PE.ApplicationController.unsupportedBrowserErrorText": "Je browser wordt niet ondersteund.", "PE.ApplicationController.waitText": "Een moment geduld", - "PE.ApplicationView.txtDownload": "Downloaden", + "PE.ApplicationView.txtDownload": "Download", "PE.ApplicationView.txtEmbed": "Invoegen", "PE.ApplicationView.txtFileLocation": "Open bestandslocatie", "PE.ApplicationView.txtFullScreen": "Volledig scherm", diff --git a/apps/presentationeditor/embed/locale/sv.json b/apps/presentationeditor/embed/locale/sv.json index c3af82160..7f06a19bb 100644 --- a/apps/presentationeditor/embed/locale/sv.json +++ b/apps/presentationeditor/embed/locale/sv.json @@ -13,9 +13,13 @@ "PE.ApplicationController.errorDefaultMessage": "Felkod: %1", "PE.ApplicationController.errorFilePassProtect": "Dokumentet är lösenordsskyddat och kunde inte öppnas. ", "PE.ApplicationController.errorFileSizeExceed": "Filstorleken överskrider gränsen för din server.
Var snäll och kontakta administratören för dokumentservern för mer information.", + "PE.ApplicationController.errorForceSave": "Ett fel uppstod när filen sparades. Vänligen använd alternativet \"Spara som\" för att spara filen till din dator eller försök igen senare.", + "PE.ApplicationController.errorLoadingFont": "Typsnittet är inte tillgängligt.
Vänligen kontakta dokumentserverns administratör.", + "PE.ApplicationController.errorTokenExpire": "Dokumentets säkerhetstoken har upphört att gälla.
Vänligen kontakta dokumentserverns administratör.", "PE.ApplicationController.errorUpdateVersionOnDisconnect": "Internetanslutningen har återställts och filversionen har ändrats.
Innan du fortsätter arbeta, ladda ner filen eller kopiera innehållet för att försäkra dig om att inte förlora något, ladda sedan om denna sida.", "PE.ApplicationController.errorUserDrop": "Filen kan inte nås för tillfället. ", "PE.ApplicationController.notcriticalErrorTitle": "Varning", + "PE.ApplicationController.openErrorText": "Ett fel uppstod vid öppnandet av filen.", "PE.ApplicationController.scriptLoadError": "Anslutningen är för långsam, vissa av komponenterna kunde inte laddas. Vänligen ladda om sidan.", "PE.ApplicationController.textAnonymous": "Anonym", "PE.ApplicationController.textGuest": "Gäst", diff --git a/apps/presentationeditor/embed/locale/uk.json b/apps/presentationeditor/embed/locale/uk.json index 5c4770de8..71bbd506c 100644 --- a/apps/presentationeditor/embed/locale/uk.json +++ b/apps/presentationeditor/embed/locale/uk.json @@ -13,10 +13,16 @@ "PE.ApplicationController.errorDefaultMessage": "Код помилки: %1", "PE.ApplicationController.errorFilePassProtect": "Документ захищений паролем і його неможливо відкрити.", "PE.ApplicationController.errorFileSizeExceed": "Розмір файлу перевищує обмеження, встановлені для вашого сервера.
Для детальної інформації зверніться до адміністратора сервера документів.", + "PE.ApplicationController.errorForceSave": "Під час збереження файлу сталася помилка.
Використовуйте опцію 'Завантажити як...', щоб зберегти файл на жорсткий диск комп'ютера або спробуйте пізніше.", + "PE.ApplicationController.errorLoadingFont": "Шрифти не завантажені.
Будь ласка, зверніться до адміністратора Сервера документів.", + "PE.ApplicationController.errorTokenExpire": "Термін дії токену безпеки документа закінчився.
Будь ласка, зв'яжіться з адміністратором сервера документів.", "PE.ApplicationController.errorUpdateVersionOnDisconnect": "Підключення до Інтернету було відновлено, а версія файлу змінена.
Перш ніж продовжувати роботу, потрібно завантажити файл або скопіювати його вміст, щоб переконатися, що нічого не втрачено, а потім перезавантажити цю сторінку.", "PE.ApplicationController.errorUserDrop": "На даний момент файл не доступний.", "PE.ApplicationController.notcriticalErrorTitle": "Застереження", + "PE.ApplicationController.openErrorText": "Під час відкриття файлу сталася помилка.", "PE.ApplicationController.scriptLoadError": "З'єднання занадто повільне, деякі компоненти не вдалося завантажити. Перезавантажте сторінку.", + "PE.ApplicationController.textAnonymous": "Анонімний користувач", + "PE.ApplicationController.textGuest": "Гість", "PE.ApplicationController.textLoadingDocument": "Завантаження презентації", "PE.ApplicationController.textOf": "з", "PE.ApplicationController.txtClose": "Закрити", @@ -25,6 +31,8 @@ "PE.ApplicationController.waitText": "Будь ласка, зачекайте...", "PE.ApplicationView.txtDownload": "Завантажити", "PE.ApplicationView.txtEmbed": "Вставити", + "PE.ApplicationView.txtFileLocation": "Відкрити розташування файлу", "PE.ApplicationView.txtFullScreen": "Повноекранний режим", + "PE.ApplicationView.txtPrint": "Друк", "PE.ApplicationView.txtShare": "Доступ" } \ No newline at end of file diff --git a/apps/presentationeditor/main/app/controller/Animation.js b/apps/presentationeditor/main/app/controller/Animation.js index 61cd8b6e9..356142d34 100644 --- a/apps/presentationeditor/main/app/controller/Animation.js +++ b/apps/presentationeditor/main/app/controller/Animation.js @@ -63,21 +63,26 @@ define([ this.addListeners({ 'PE.Views.Animation': { - 'animation:preview': _.bind(this.onPreviewClick, this), - 'animation:parameters': _.bind(this.onParameterClick, this), - 'animation:duration': _.bind(this.onDurationChange, this), - 'animation:selecteffect': _.bind(this.onEffectSelect, this), - 'animation:delay': _.bind(this.onDelayChange, this), - 'animation:animationpane': _.bind(this.onAnimationPane, this), - 'animation:addanimation': _.bind(this.onAddAnimation, this), - 'animation:startselect': _.bind(this.onStartSelect, this), - 'animation:checkrewind': _.bind(this.onCheckRewindChange,this), - 'animation:repeat': _.bind(this.onRepeatChange, this), - 'animation:additional': _.bind(this.onAnimationAdditional, this), - 'animation:trigger': _.bind(this.onTriggerClick, this), - 'animation:triggerclickof': _.bind(this.onTriggerClickOfClick, this), - 'animation:moveearlier': _.bind(this.onMoveEarlier, this), - 'animation:movelater': _.bind(this.onMoveLater, this) + 'animation:preview': _.bind(this.onPreviewClick, this), + 'animation:parameters': _.bind(this.onParameterClick, this), + 'animation:selecteffect': _.bind(this.onEffectSelect, this), + 'animation:delay': _.bind(this.onDelayChange, this), + 'animation:animationpane': _.bind(this.onAnimationPane, this), + 'animation:addanimation': _.bind(this.onAddAnimation, this), + 'animation:startselect': _.bind(this.onStartSelect, this), + 'animation:checkrewind': _.bind(this.onCheckRewindChange,this), + 'animation:additional': _.bind(this.onAnimationAdditional, this), + 'animation:trigger': _.bind(this.onTriggerClick, this), + 'animation:triggerclickof': _.bind(this.onTriggerClickOfClick, this), + 'animation:moveearlier': _.bind(this.onMoveEarlier, this), + 'animation:movelater': _.bind(this.onMoveLater, this), + 'animation:repeatchange': _.bind(this.onRepeatChange, this), + 'animation:repeatfocusin': _.bind(this.onRepeatComboOpen, this), + 'animation:repeatselected': _.bind(this.onRepeatSelected, this), + 'animation:durationchange': _.bind(this.onDurationChange, this), + 'animation:durationfocusin': _.bind(this.onRepeatComboOpen, this), + 'animation:durationselected': _.bind(this.onDurationSelected, this) + }, 'Toolbar': { 'tab:active': _.bind(this.onActiveTab, this) @@ -136,18 +141,24 @@ define([ onAnimPreviewStarted: function () { this._state.playPreview = true; - this.view.btnPreview.setIconCls('toolbar__icon transition-zoom'); + this.view.btnPreview.setIconCls('toolbar__icon animation-preview-stop'); }, onAnimPreviewFinished: function () { this._state.playPreview = false; - this.view.btnPreview.setIconCls('toolbar__icon transition-fade'); + this.view.btnPreview.setIconCls('toolbar__icon animation-preview-start'); }, - onParameterClick: function (value) { + onParameterClick: function (value, toggleGroup) { if(this.api && this.AnimationProperties) { - this.AnimationProperties.asc_putSubtype(value); - this.api.asc_SetAnimationProperties(this.AnimationProperties); + if(toggleGroup=='animateeffects') { + this.AnimationProperties.asc_putSubtype(value); + this.api.asc_SetAnimationProperties(this.AnimationProperties); + } + else { + var groupName = _.findWhere(this.EffectGroups, {value: this._state.EffectGroup}).id; + this.addNewEffect(value, this._state.EffectGroup, groupName,true, this._state.EffectOption); + } } }, @@ -176,17 +187,49 @@ define([ this.addNewEffect(type, group, record.get('group'), false); }, - addNewEffect: function (type, group, groupName, replace) { - if (this._state.Effect == type) return; - var parameter = this.view.setMenuParameters(type, groupName, undefined); - this.api.asc_AddAnimation(group, type, (parameter != undefined)?parameter:0, replace); - this._state.EffectGroups = group; - this._state.Effect = type; + addNewEffect: function (type, group, groupName, replace, parametr) { + if (this._state.Effect == type && this._state.EffectGroup == group && replace) return; + var parameter = this.view.setMenuParameters(type, groupName, parametr); + this.api.asc_AddAnimation(group, type, (parameter != undefined)?parameter:0, replace, !Common.Utils.InternalSettings.get("pe-animation-no-preview")); }, - onDurationChange: function(field, newValue, oldValue, eOpts) { + onDurationChange: function(before,combo, record, e) { + var value, + me = this; + if(before) + { + var item = combo.store.findWhere({ + displayValue: record.value + }); + + if (!item) { + var expr = new RegExp('^\\s*(\\d*(\\.|,)?\\d+)\\s*(' + me.view.txtSec + ')?\\s*$'); + if (!expr.exec(record.value)) { + combo.setValue(this._state.Duration, this._state.Duration>=0 ? this._state.Duration + ' ' + this.view.txtSec : 1); + e.preventDefault(); + return false; + } + } + + } else { + value = Common.Utils.String.parseFloat(record.value); + if(!record.displayValue) + value = value > 600 ? 600 : + value < 0 ? 0.01 : parseFloat(value.toFixed(2)); + + combo.setValue(value); + this.setDuration(value); + } + }, + + onDurationSelected: function (combo, record) { + this.setDuration(record.value); + }, + + setDuration: function(valueRecord) { if (this.api) { - this.AnimationProperties.asc_putDuration(field.getNumberValue() * 1000); + var value = valueRecord < 0 ? valueRecord : valueRecord * 1000; + this.AnimationProperties.asc_putDuration(value); this.api.asc_SetAnimationProperties(this.AnimationProperties); } }, @@ -198,13 +241,55 @@ define([ } }, - onRepeatChange: function (field, newValue, oldValue, eOpts){ + onRepeatChange: function (before,combo, record, e){ + var value, + me = this; + if(before) + { + var item = combo.store.findWhere({ + displayValue: record.value + }); + + if (!item) { + value = /^\+?(\d*(\.|,).?\d+)$|^\+?(\d+(\.|,)?\d*)$/.exec(record.value); + if (!value) { + combo.setValue(this._state.Repeat, this._state.Repeat>=0 ? this._state.Repeat : 1); + e.preventDefault(); + return false; + } + } + + } else { + value = Common.Utils.String.parseFloat(record.value); + if(!record.displayValue) + value = value > 9999 ? 9999 : + value < 1 ? 1 : Math.floor((value+0.4)*2)/2; + + combo.setValue(value); + this.setRepeat(value); + } + }, + + onRepeatSelected: function (combo, record) { + this.setRepeat(record.value); + }, + + setRepeat: function(valueRecord) { if (this.api) { - this.AnimationProperties.asc_putRepeatCount(field.getNumberValue() * 1000); + var value = valueRecord < 0 ? valueRecord : valueRecord * 1000; + this.AnimationProperties.asc_putRepeatCount(value); this.api.asc_SetAnimationProperties(this.AnimationProperties); } }, + onRepeatComboOpen: function(needfocus, combo) { + _.delay(function() { + var input = $('input', combo.cmpEl).select(); + if (needfocus) input.focus(); + else if (!combo.isMenuOpen()) input.one('mouseup', function (e) { e.preventDefault(); }); + }, 10); + }, + onMoveEarlier: function () { if(this.api) { this.api.asc_moveAnimationEarlier(); @@ -238,7 +323,10 @@ define([ onEffectSelect: function (combo, record) { if (this.api) { var type = record.get('value'); - var group = (type != AscFormat.ANIM_PRESET_NONE) ? _.findWhere(this.EffectGroups, {id: record.get('group')}).value : undefined; + if (type===AscFormat.ANIM_PRESET_MULTIPLE) return; + + var group = _.findWhere(this.EffectGroups, {id: record.get('group')}); + group = group ? group.value : undefined; this.addNewEffect(type, group, record.get('group'),this._state.Effect != AscFormat.ANIM_PRESET_NONE); } }, @@ -288,20 +376,23 @@ define([ if (this._state.Effect !== value || this._state.EffectGroup !== group) { this._state.Effect = value; this._state.EffectGroup = group; - + this.setViewRepeatAndDuration(this._state.EffectGroup, this._state.Effect); group = view.listEffects.groups.findWhere({value: this._state.EffectGroup}); - item = store.findWhere(group ? {group: group.get('id'), value: this._state.Effect} : {value: this._state.Effect}); + var effect =_.findWhere(view.allEffects, group ? {group: group.get('id'), value: this._state.Effect} : {value: this._state.Effect}); + var familyEffect = (effect) ? effect.familyEffect : undefined; + item = (!familyEffect) ? store.findWhere(group ? {group: group.get('id'), value: value} : {value: value}) + : store.findWhere(group ? {group: group.get('id'), familyEffect: familyEffect} : {familyEffect: familyEffect}); if (item) { var forceFill = false; if (!item.get('isCustom')) { // remove custom effect from list if not-custom is selected var rec = store.findWhere({isCustom: true}); forceFill = !!rec; - store.remove(rec); + rec && store.remove(rec); } if (this._state.Effect!==AscFormat.ANIM_PRESET_MULTIPLE) { // remove "multiple" item if one effect is selected var rec = fieldStore.findWhere({value: AscFormat.ANIM_PRESET_MULTIPLE}); forceFill = forceFill || !!rec; - fieldStore.remove(rec); + rec && fieldStore.remove(rec); } view.listEffects.selectRecord(item); view.listEffects.fillComboView(item, true, forceFill); @@ -310,7 +401,7 @@ define([ store.remove(store.findWhere({isCustom: true})); // remove custom effects if (this._state.Effect==AscFormat.ANIM_PRESET_MULTIPLE) { // add and select "multiple" item view.listEffects.fillComboView(store.at(0), false, true); - fieldStore.remove(fieldStore.at(fieldStore.length-1)); + fieldStore.reset(fieldStore.slice(0, fieldStore.length-1)); view.listEffects.fieldPicker.selectRecord(fieldStore.add(new Common.UI.DataViewModel({ group: 'none', value: AscFormat.ANIM_PRESET_MULTIPLE, @@ -318,6 +409,7 @@ define([ displayValue: view.textMultiple }), {at:1})); view.listEffects.menuPicker.deselectAll(); + view.btnParameters.setIconCls('toolbar__icon icon animation-none'); } else { // add custom effect to appropriate group if (group) { var items = store.where({group: group.get('id')}); @@ -336,22 +428,26 @@ define([ } else { view.listEffects.fieldPicker.deselectAll(); view.listEffects.menuPicker.deselectAll(); + view.btnParameters.setIconCls('toolbar__icon icon animation-none'); } } } } this._state.EffectOption = this.AnimationProperties.asc_getSubtype(); - if (this._state.EffectOption !== undefined && this._state.EffectOption !== null) - this._state.noAnimationParam = view.setMenuParameters(this._state.Effect, _.findWhere(this.EffectGroups,{value: this._state.EffectGroup}).id, this._state.EffectOption)===undefined; + if (this._state.EffectOption !== null && this._state.Effect !== AscFormat.ANIM_PRESET_MULTIPLE && this._state.Effect !== AscFormat.ANIM_PRESET_NONE) { + var rec = _.findWhere(this.EffectGroups,{value: this._state.EffectGroup}); + view.setMenuParameters(this._state.Effect, rec ? rec.id : undefined, this._state.EffectOption); + this._state.noAnimationParam = view.btnParameters.menu.items.length === 0; + } value = this.AnimationProperties.asc_getDuration(); - if (Math.abs(this._state.Duration - value) > 0.001 || - (this._state.Duration === null || value === null) && (this._state.Duration !== value) || - (this._state.Duration === undefined || value === undefined) && (this._state.Duration !== value)) { - this._state.Duration = value; - view.numDuration.setValue((this._state.Duration !== null && this._state.Duration !== undefined) ? this._state.Duration / 1000. : '', true); - } + this._state.Duration = (value>=0) ? value/1000 : value ; // undefined or <0 + if (this._state.noAnimationDuration) + view.cmbDuration.setValue(''); + else + view.cmbDuration.setValue(this._state.Duration, this._state.Duration>=0 ? this._state.Duration + ' ' + this.view.txtSec : 1); + value = this.AnimationProperties.asc_getDelay(); if (Math.abs(this._state.Delay - value) > 0.001 || (this._state.Delay === null || value === null) && (this._state.Delay !== value) || @@ -359,13 +455,12 @@ define([ this._state.Delay = value; view.numDelay.setValue((this._state.Delay !== null && this._state.Delay !== undefined) ? this._state.Delay / 1000. : '', true); } - value = this.AnimationProperties.asc_getRepeatCount(); - if (Math.abs(this._state.Repeat - value) > 0.001 || - (this._state.Repeat === null || value === null) && (this._state.Repeat !== value) || - (this._state.Repeat === undefined || value === undefined) && (this._state.Repeat !== value)) { - this._state.Repeat = value; - view.numRepeat.setValue((this._state.Repeat !== null && this._state.Repeat !== undefined) ? this._state.Repeat / 1000. : '', true); - } + value =this.AnimationProperties.asc_getRepeatCount(); + this._state.Repeat = (value<0) ? value : value/1000; + if (this._state.noAnimationRepeat) + view.cmbRepeat.setValue(''); + else + view.cmbRepeat.setValue( this._state.Repeat, this._state.Repeat>=0 ? this._state.Repeat : 1); this._state.StartSelect = this.AnimationProperties.asc_getStartType(); view.cmbStart.setValue(this._state.StartSelect!==undefined ? this._state.StartSelect : AscFormat.NODE_TYPE_CLICKEFFECT); @@ -383,6 +478,7 @@ define([ this.setTriggerList(); } this.setLocked(); + }, setTriggerList: function (){ @@ -398,6 +494,32 @@ define([ this.view.cmbTrigger.menu.items[0].setChecked(this._state.trigger == this.view.triggers.ClickSequence); }, + setViewRepeatAndDuration: function(group, type) { + if(type == AscFormat.ANIM_PRESET_NONE) return; + + this._state.noAnimationDuration = this._state.noAnimationRepeat = false; + if((group == AscFormat.PRESET_CLASS_ENTR && type == AscFormat.ENTRANCE_APPEAR) || (group == AscFormat.PRESET_CLASS_EXIT && type == AscFormat.EXIT_DISAPPEAR)) { + this._state.noAnimationDuration = this._state.noAnimationRepeat = true; + } + else if((group == AscFormat.PRESET_CLASS_EMPH) && + (type == AscFormat.EMPHASIS_BOLD_REVEAL || type == AscFormat.EMPHASIS_TRANSPARENCY)) { + this._state.noAnimationRepeat = true; + if(this.view.cmbDuration.store.length == 6) { + this.view.cmbDuration.store.add([{value: AscFormat.untilNextClick, displayValue: this.view.textUntilNextClick}, + {value: AscFormat.untilNextSlide, displayValue: this.view.textUntilEndOfSlide}]); + this.view.cmbDuration.setData(this.view.cmbDuration.store.models); + } + } + + if((this.view.cmbDuration.store.length == 8) && ((this._state.EffectGroup != AscFormat.PRESET_CLASS_EMPH) || + ((this._state.EffectGroup == AscFormat.PRESET_CLASS_EMPH) && (this._state.Effect != AscFormat.EMPHASIS_BOLD_REVEAL) && (this._state.Effect != AscFormat.EMPHASIS_TRANSPARENCY)))) { + this.view.cmbDuration.store.pop(); + this.view.cmbDuration.store.pop(); + this.view.cmbDuration.setData(this.view.cmbDuration.store.models); + } + + }, + onActiveTab: function(tab) { if (tab == 'animate') { this._state.onactivetab = true; @@ -424,9 +546,12 @@ define([ this.lockToolbar(Common.enumLock.noMoveAnimationLater, this._state.noMoveAnimationLater); if (this._state.noMoveAnimationEarlier != undefined) this.lockToolbar(Common.enumLock.noMoveAnimationEarlier, this._state.noMoveAnimationEarlier); - if (Common.enumLock.noAnimationPreview != undefined) + if (this._state.noAnimationPreview != undefined) this.lockToolbar(Common.enumLock.noAnimationPreview, this._state.noAnimationPreview); - + if (this._state.noAnimationRepeat != undefined) + this.lockToolbar(Common.enumLock.noAnimationRepeat, this._state.noAnimationRepeat); + if (this._state.noAnimationDuration != undefined) + this.lockToolbar(Common.enumLock.noAnimationDuration, this._state.noAnimationDuration); } }, PE.Controllers.Animation || {})); diff --git a/apps/presentationeditor/main/app/controller/LeftMenu.js b/apps/presentationeditor/main/app/controller/LeftMenu.js index 5c847f570..14ce12c89 100644 --- a/apps/presentationeditor/main/app/controller/LeftMenu.js +++ b/apps/presentationeditor/main/app/controller/LeftMenu.js @@ -437,15 +437,15 @@ define([ onQuerySearch: function(d, w, opts) { if (opts.textsearch && opts.textsearch.length) { - if (!this.api.findText(opts.textsearch, d != 'back', opts.matchcase)) { - var me = this; - Common.UI.info({ - msg: this.textNoTextFound, + 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(); } }); - } + }); } }, diff --git a/apps/presentationeditor/main/app/controller/Main.js b/apps/presentationeditor/main/app/controller/Main.js index d37306789..c5e6085a0 100644 --- a/apps/presentationeditor/main/app/controller/Main.js +++ b/apps/presentationeditor/main/app/controller/Main.js @@ -264,6 +264,15 @@ define([ } }); + Common.Utils.isChrome && $(document.body).on('keydown', 'textarea', function(e) {// chromium bug890248 (Bug 39614) + if (e.keyCode===Common.UI.Keys.PAGEUP || e.keyCode===Common.UI.Keys.PAGEDOWN) { + setTimeout(function(){ + $('#viewport').scrollLeft(0); + $('#viewport').scrollTop(0); + }, 0); + } + }); + Common.NotificationCenter.on({ 'modal:show': function(e){ Common.Utils.ModalWindow.show(); @@ -779,7 +788,7 @@ define([ (zf == -1) ? this.api.zoomFitToPage() : ((zf == -2) ? this.api.zoomFitToWidth() : this.api.zoom(zf>0 ? zf : 100)); // spellcheck - value = Common.UI.FeaturesManager.getInitValue('spellcheck'); + value = Common.UI.FeaturesManager.getInitValue('spellcheck', true); value = (value !== undefined) ? value : !(this.appOptions.customization && this.appOptions.customization.spellcheck===false); if (this.appOptions.customization && this.appOptions.customization.spellcheck!==undefined) console.log("Obsolete: The 'spellcheck' parameter of the 'customization' section is deprecated. Please use 'spellcheck' parameter in the 'customization.features' section instead."); @@ -935,7 +944,7 @@ define([ onLicenseChanged: function(params) { var licType = params.asc_getLicenseType(); - if (licType !== undefined && this.appOptions.canEdit && this.editorConfig.mode !== 'view' && + if (licType !== undefined && (this.appOptions.canEdit || this.appOptions.isRestrictedEdit) && this.editorConfig.mode !== 'view' && (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 && (this.appOptions.trialMode & Asc.c_oLicenseMode.Limited) !== 0)) this._state.licenseType = licType; @@ -961,7 +970,7 @@ define([ primary = 'buynow'; } - if (this._state.licenseType!==Asc.c_oLicenseResult.SuccessLimit && this.appOptions.isEdit) { + if (this._state.licenseType!==Asc.c_oLicenseResult.SuccessLimit && (this.appOptions.isEdit || this.appOptions.isRestrictedEdit)) { this.disableEditing(true); Common.NotificationCenter.trigger('api:disconnect'); } @@ -1153,17 +1162,19 @@ define([ this.appOptions.canUseReviewPermissions = this.appOptions.canLicense && (!!this.permissions.reviewGroups || this.appOptions.canLicense && this.editorConfig.customization && this.editorConfig.customization.reviewPermissions && (typeof (this.editorConfig.customization.reviewPermissions) == 'object')); this.appOptions.canUseCommentPermissions = this.appOptions.canLicense && !!this.permissions.commentGroups; + this.appOptions.canUseUserInfoPermissions = this.appOptions.canLicense && !!this.permissions.userInfoGroups; AscCommon.UserInfoParser.setParser(true); AscCommon.UserInfoParser.setCurrentName(this.appOptions.user.fullname); this.appOptions.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(this.permissions.reviewGroups, this.editorConfig.customization.reviewPermissions); this.appOptions.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(this.permissions.commentGroups); + this.appOptions.canUseUserInfoPermissions && AscCommon.UserInfoParser.setUserInfoPermissions(this.permissions.userInfoGroups); appHeader.setUserName(AscCommon.UserInfoParser.getParsedName(AscCommon.UserInfoParser.getCurrentName())); this.appOptions.canRename && appHeader.setCanRename(true); 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); - this.appOptions.canBrandingExt && this.editorConfig.customization && Common.UI.FeaturesManager.init(this.editorConfig.customization.features); + 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); @@ -1903,7 +1914,8 @@ define([ return; var me = this, - shapegrouparray = []; + shapegrouparray = [], + name_arr = {}; _.each(groupNames, function(groupName, index){ var store = new Backbone.Collection([], { @@ -1916,12 +1928,15 @@ define([ width = 30 * cols; _.each(shapes[index], function(shape, idx){ + var name = me['txtShape_' + shape.Type]; arr.push({ data : {shapeType: shape.Type}, - tip : me['txtShape_' + shape.Type] || (me.textShape + ' ' + (idx+1)), + tip : name || (me.textShape + ' ' + (idx+1)), allowSelected : true, selected: false }); + if (name) + name_arr[shape.Type] = name; }); store.add(arr); shapegrouparray.push({ @@ -1933,6 +1948,7 @@ define([ }); this.getCollection('ShapeGroups').reset(shapegrouparray); + this.api.asc_setShapeNames(name_arr); }, fillLayoutsStore: function(layouts){ @@ -2264,6 +2280,10 @@ define([ value = Common.localStorage.getBool("pe-settings-autoformat-fl-cells", true); Common.Utils.InternalSettings.set("pe-settings-autoformat-fl-cells", value); me.api.asc_SetAutoCorrectFirstLetterOfCells && me.api.asc_SetAutoCorrectFirstLetterOfCells(value); + + value = Common.localStorage.getBool("pe-settings-autoformat-double-space", Common.Utils.isMac); // add period with double-space in MacOs by default + Common.Utils.InternalSettings.set("pe-settings-autoformat-double-space", value); + me.api.asc_SetAutoCorrectDoubleSpaceWithPeriod(value); }, showRenameUserDialog: function() { diff --git a/apps/presentationeditor/main/app/controller/Toolbar.js b/apps/presentationeditor/main/app/controller/Toolbar.js index 6680a5590..c3c8b631a 100644 --- a/apps/presentationeditor/main/app/controller/Toolbar.js +++ b/apps/presentationeditor/main/app/controller/Toolbar.js @@ -1271,7 +1271,6 @@ define([ !Common.Utils.ModalWindow.isVisible() && Common.UI.warning({ width: 500, - closable: false, msg: this.confirmAddFontName, buttons: ['yes', 'no'], primary: 'yes', @@ -1324,18 +1323,17 @@ define([ if (!value) { value = this._getApiTextSize(); - - Common.UI.warning({ - msg: this.textFontSizeErr, - callback: function() { - _.defer(function(btn) { - $('input', combo.cmpEl).focus(); - }) - } - }); - + setTimeout(function(){ + Common.UI.warning({ + msg: me.textFontSizeErr, + callback: function() { + _.defer(function(btn) { + $('input', combo.cmpEl).focus(); + }) + } + }); + }, 1); combo.setRawValue(value); - e.preventDefault(); return false; } diff --git a/apps/presentationeditor/main/app/controller/ViewTab.js b/apps/presentationeditor/main/app/controller/ViewTab.js index c2e9c0d1a..04e6e4469 100644 --- a/apps/presentationeditor/main/app/controller/ViewTab.js +++ b/apps/presentationeditor/main/app/controller/ViewTab.js @@ -223,8 +223,10 @@ define([ if (this.view) { var current_theme = Common.UI.Themes.currentThemeId() || Common.UI.Themes.defaultThemeId(), menu_item = _.findWhere(this.view.btnInterfaceTheme.menu.items, {value: current_theme}); - this.view.btnInterfaceTheme.menu.clearAll(); - menu_item.setChecked(true, true); + if ( !!menu_item ) { + this.view.btnInterfaceTheme.menu.clearAll(); + menu_item.setChecked(true, true); + } } }, diff --git a/apps/presentationeditor/main/app/template/Toolbar.template b/apps/presentationeditor/main/app/template/Toolbar.template index 589250c1b..56f392f8b 100644 --- a/apps/presentationeditor/main/app/template/Toolbar.template +++ b/apps/presentationeditor/main/app/template/Toolbar.template @@ -151,8 +151,8 @@
- - + +
@@ -165,7 +165,7 @@
-
+
@@ -179,7 +179,7 @@
-
+
@@ -197,29 +197,24 @@
- -
-
-
- - -
-
-
-
-
- - -
-
- - + + +
+
+ + +
+
+
+
+ +
diff --git a/apps/presentationeditor/main/app/view/Animation.js b/apps/presentationeditor/main/app/view/Animation.js index f94cb2395..04c1bb925 100644 --- a/apps/presentationeditor/main/app/view/Animation.js +++ b/apps/presentationeditor/main/app/view/Animation.js @@ -50,6 +50,7 @@ define([ 'common/main/lib/component/Layout', 'presentationeditor/main/app/view/SlideSettings', 'common/main/lib/component/MetricSpinner', + 'common/main/lib/component/Label', 'common/main/lib/component/Window' ], function () { 'use strict'; @@ -88,7 +89,7 @@ define([ if (me.btnParameters) { me.btnParameters.menu.on('item:click', function (menu, item, e) { - me.fireEvent('animation:parameters', [item.value]); + me.fireEvent('animation:parameters', [item.value, item.toggleGroup]); }); } @@ -98,9 +99,21 @@ define([ }, me)); } - if (me.numDuration) { - me.numDuration.on('change', function(bth) { - me.fireEvent('animation:duration', [me.numDuration]); + if (me.cmbDuration) { + me.cmbDuration.on('changed:before', function (combo, record, e) { + me.fireEvent('animation:durationchange', [true, combo, record, e]); + }, me); + me.cmbDuration.on('changed:after', function (combo, record, e) { + me.fireEvent('animation:durationchange', [false, combo, record, e]); + }, me); + me.cmbDuration.on('selected', function (combo, record) { + me.fireEvent('animation:durationselected', [combo, record]); + }, me); + me.cmbDuration.on('show:after', function (combo) { + me.fireEvent('animation:durationfocusin', [true, combo]); + }, me); + me.cmbDuration.on('combo:focusin', function (combo) { + me.fireEvent('animation:durationfocusin', [false, combo]); }, me); } @@ -117,9 +130,21 @@ define([ }); } - if (me.numRepeat) { - me.numRepeat.on('change', function(bth) { - me.fireEvent('animation:repeat', [me.numRepeat]); + if (me.cmbRepeat) { + me.cmbRepeat.on('changed:before', function (combo, record, e) { + me.fireEvent('animation:repeatchange', [true, combo, record, e]); + }, me); + me.cmbRepeat.on('changed:after', function (combo, record, e) { + me.fireEvent('animation:repeatchange', [false, combo, record, e]); + }, me); + me.cmbRepeat.on('selected', function (combo, record) { + me.fireEvent('animation:repeatselected', [combo, record]); + }, me); + me.cmbRepeat.on('show:after', function (combo) { + me.fireEvent('animation:repeatfocusin', [true, combo]); + }, me); + me.cmbRepeat.on('combo:focusin', function (combo) { + me.fireEvent('animation:repeatfocusin', [false, combo]); }, me); } @@ -157,9 +182,10 @@ define([ this.$el = this.toolbar.toolbar.$el.find('#animation-panel'); var _set = Common.enumLock; this.lockedControls = []; - this._arrEffectName = [{group:'none', value: AscFormat.ANIM_PRESET_NONE, iconCls: 'animation-none', displayValue: this.textNone}].concat(Common.define.effectData.getEffectData()); - _.forEach(this._arrEffectName,function (elm){elm.tip = elm.displayValue;}); + _.forEach(this._arrEffectName,function (elm){ + elm.tip = elm.displayValue; + }); this._arrEffectOptions = []; var itemWidth = 88, itemHeight = 40; @@ -214,7 +240,7 @@ define([ cls: 'btn-toolbar x-huge icon-top', // x-huge icon-top', caption: this.txtPreview, split: false, - iconCls: 'toolbar__icon transition-fade', + iconCls: 'toolbar__icon animation-preview-start', lock: [_set.slideDeleted, _set.noSlides, _set.noAnimationPreview], dataHint: '1', dataHintDirection: 'bottom', @@ -225,7 +251,7 @@ define([ this.btnParameters = new Common.UI.Button({ cls: 'btn-toolbar x-huge icon-top', caption: this.txtParameters, - iconCls: 'toolbar__icon icon transition-none', + iconCls: 'toolbar__icon icon animation-none', menu: new Common.UI.Menu({items: []}), lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationParam], dataHint: '1', @@ -249,7 +275,7 @@ define([ this.btnAddAnimation = new Common.UI.Button({ cls: 'btn-toolbar x-huge icon-top', caption: this.txtAddEffect, - iconCls: 'toolbar__icon icon btn-addslide', + iconCls: 'toolbar__icon icon add-animation', menu: true, lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic], dataHint: '1', @@ -259,25 +285,38 @@ define([ this.lockedControls.push(this.btnAddAnimation); - this.numDuration = new Common.UI.MetricSpinner({ + this.cmbDuration = new Common.UI.ComboBox({ el: this.$el.find('#animation-spin-duration'), - step: 1, - width: 55, - value: '', - defaultUnit: this.txtSec, - maxValue: 300, - minValue: 0, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation], + cls: 'input-group-nr', + menuStyle: 'min-width: 100%;', + editable: true, + data: [ + {value: 20, displayValue: this.str20}, + {value: 5, displayValue: this.str5}, + {value: 3, displayValue: this.str3}, + {value: 2, displayValue: this.str2}, + {value: 1, displayValue: this.str1}, + {value: 0.5, displayValue: this.str0_5} + ], + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationDuration], dataHint: '1', dataHintDirection: 'top', dataHintOffset: 'small' }); - this.lockedControls.push(this.numDuration); + this.lockedControls.push(this.cmbDuration); + + this.lblDuration = new Common.UI.Label({ + 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] + }); + this.lockedControls.push(this.lblDuration); this.cmbTrigger = new Common.UI.Button({ parentEl: $('#animation-trigger'), cls: 'btn-toolbar', - iconCls: 'toolbar__icon btn-contents', + iconCls: 'toolbar__icon btn-trigger', caption: this.strTrigger, lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noTriggerObjects], menu : new Common.UI.Menu({ @@ -319,6 +358,14 @@ define([ }); this.lockedControls.push(this.numDelay); + this.lblDelay = new Common.UI.Label({ + el: this.$el.find('#animation-delay'), + iconCls: 'toolbar__icon animation-delay', + caption: this.strDelay, + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation] + }); + this.lockedControls.push(this.lblDelay); + this.cmbStart = new Common.UI.ComboBox({ cls: 'input-group-nr', menuStyle: 'min-width: 100%;', @@ -335,6 +382,14 @@ define([ }); this.lockedControls.push(this.cmbStart); + this.lblStart = new Common.UI.Label({ + 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] + }); + this.lockedControls.push(this.lblStart); + this.chRewind = new Common.UI.CheckBox({ el: this.$el.find('#animation-checkbox-rewind'), labelText: this.strRewind, @@ -345,20 +400,35 @@ define([ }); this.lockedControls.push(this.chRewind); - this.numRepeat = new Common.UI.MetricSpinner({ + this.cmbRepeat = new Common.UI.ComboBox({ el: this.$el.find('#animation-spin-repeat'), - step: 1, - width: 55, - value: '', - maxValue: 1000, - minValue: 0, - defaultUnit: '', - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation], + cls: 'input-group-nr', + menuStyle: 'min-width: 100%;', + editable: true, + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationRepeat], + data: [ + {value: 1, displayValue: this.textNoRepeat}, + {value: 2, displayValue: "2"}, + {value: 3, displayValue: "3"}, + {value: 4, displayValue: "4"}, + {value: 5, displayValue: "5"}, + {value: 10, displayValue: "10"}, + {value: AscFormat.untilNextClick, displayValue: this.textUntilNextClick}, + {value: AscFormat.untilNextSlide, displayValue: this.textUntilEndOfSlide} + ], dataHint: '1', dataHintDirection: 'top', dataHintOffset: 'small' }); - this.lockedControls.push(this.numRepeat); + this.lockedControls.push(this.cmbRepeat); + + this.lblRepeat = new Common.UI.Label({ + 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] + }); + this.lockedControls.push(this.lblRepeat); this.btnMoveEarlier = new Common.UI.Button({ parentEl: $('#animation-moveearlier'), @@ -386,10 +456,6 @@ define([ }); this.lockedControls.push(this.btnMoveLater); - this.$el.find('#animation-duration').text(this.strDuration); - this.$el.find('#animation-delay').text(this.strDelay); - this.$el.find('#animation-label-start').text(this.strStart); - this.$el.find('#animation-repeat').text(this.strRepeat); Common.NotificationCenter.on('app:ready', this.onAppReady.bind(this)); }, @@ -441,10 +507,12 @@ define([ me.fireEvent('animation:addanimation', [picker, record]); }); menu.off('show:before', onShowBefore); + menu.on('show:after', function () { + picker.scroller.update({alwaysVisibleY: true}); + }); me.btnAddAnimation.menu.setInnerMenu([{menu: picker, index: 0}]); }; me.btnAddAnimation.menu.on('show:before', onShowBefore); - setEvents.call(me); }); }, @@ -456,13 +524,6 @@ define([ this.btnAnimationPane && this.btnAnimationPane.render(this.$el.find('#animation-button-pane')); this.btnAddAnimation && this.btnAddAnimation.render(this.$el.find('#animation-button-add-effect')); this.cmbStart && this.cmbStart.render(this.$el.find('#animation-start')); - this.renderComponent('#animation-spin-duration', this.numDuration); - this.renderComponent('#animation-spin-delay', this.numDelay); - this.renderComponent('#animation-spin-repeat', this.numRepeat); - this.$el.find("#animation-duration").innerText = this.strDuration; - this.$el.find("#animation-delay").innerText = this.strDelay; - this.$el.find("#animation-label-start").innerText = this.strStart; - this.$el.find("#animation-repeat").innerText = this.strRepeat; return this.$el; }, @@ -471,8 +532,6 @@ define([ element.parent().append(obj.el); }, - - show: function () { Common.UI.BaseView.prototype.show.call(this); this.fireEvent('show', this); @@ -482,36 +541,58 @@ define([ return this.lockedControls; }, - setMenuParameters: function (effectId, effectGroup, option) + setMenuParameters: function (effectId, effectGroup, option) // option = undefined - for add new effect or when selected 2 equal effects with different option (subtype) { - var arrEffectOptions; - var effect = _.findWhere(this.allEffects, {group: effectGroup, value: effectId}); - if(effect) + var arrEffectOptions,selectedElement; + var effect = _.findWhere(this.allEffects, {group: effectGroup, value: effectId}), + updateFamilyEffect = true; + if (effect) { arrEffectOptions = Common.define.effectData.getEffectOptionsData(effect.group, effect.value); - if(!arrEffectOptions) { + updateFamilyEffect = this._familyEffect !== effect.familyEffect || !this._familyEffect; // family of effects are different or both of them = undefined (null) + } + if((this._effectId != effectId && updateFamilyEffect) || (this._groupName != effectGroup)) { this.btnParameters.menu.removeAll(); - this._effectId = effectId - return undefined; } - var selectedElement; - if (this._effectId != effectId) { - this.btnParameters.menu.removeAll(); - arrEffectOptions.forEach(function (opt, index) { - opt.checkable = true; - opt.toggleGroup ='animateeffects'; - this.btnParameters.menu.addItem(opt); - (opt.value==option) && (selectedElement = this.btnParameters.menu.items[index]); - }, this); + if (arrEffectOptions){ + if (this.btnParameters.menu.items.length == 0) { + arrEffectOptions.forEach(function (opt, index) { + opt.checkable = true; + opt.toggleGroup = 'animateeffects'; + this.btnParameters.menu.addItem(opt); + (opt.value == option || option===undefined && !!opt.defvalue) && (selectedElement = this.btnParameters.menu.items[index]); + }, this); + (effect && effect.familyEffect) && this.btnParameters.menu.addItem({caption: '--'}); + } else { + this.btnParameters.menu.clearAll(); + this.btnParameters.menu.items.forEach(function (opt) { + if(opt.toggleGroup == 'animateeffects' && (opt.value == option || option===undefined && !!opt.options.defvalue)) + selectedElement = opt; + },this); + } + selectedElement && selectedElement.setChecked(true); } - else { - this.btnParameters.menu.items.forEach(function (opt) { - (opt.value == option) && (selectedElement = opt); - }); + if (effect && effect.familyEffect){ + if (this._familyEffect != effect.familyEffect) { + var effectsArray = Common.define.effectData.getSimilarEffectsArray(effectGroup, effect.familyEffect); + effectsArray.forEach(function (opt) { + opt.checkable = true; + opt.toggleGroup = 'animatesimilareffects' + this.btnParameters.menu.addItem(opt); + (opt.value == effectId) && this.btnParameters.menu.items[this.btnParameters.menu.items.length - 1].setChecked(true); + }, this); + } + else { + this.btnParameters.menu.items.forEach(function (opt) { + if(opt.toggleGroup == 'animatesimilareffects' && opt.value == effectId) + opt.setChecked(true); + }); + } } - (selectedElement == undefined) && (selectedElement = this.btnParameters.menu.items[0]) - selectedElement.setChecked(true); + this._effectId = effectId; - return selectedElement.value; + this._groupName = effectGroup; + this._familyEffect = effect ? effect.familyEffect : undefined; + return selectedElement ? selectedElement.value : undefined; }, @@ -535,7 +616,16 @@ define([ textMultiple: 'Multiple', textMoreEffects: 'Show More Effects', textMoveEarlier: 'Move Earlier', - textMoveLater: 'Move Later' + textMoveLater: 'Move Later', + textNoRepeat: '(none)', + textUntilNextClick: 'Until Next Click', + textUntilEndOfSlide: 'Until End of Slide', + str20: '20 s (Extremely Slow)', + str5: '5 s (Very Slow)', + str3: '3 s (Slow)', + str2: '2 s (Medium)', + str1: '1 s (Fast)', + str0_5: '0.5 s (Very Fast)' } }()), PE.Views.Animation || {})); diff --git a/apps/presentationeditor/main/app/view/AnimationDialog.js b/apps/presentationeditor/main/app/view/AnimationDialog.js index f0f039167..a2da6fc64 100644 --- a/apps/presentationeditor/main/app/view/AnimationDialog.js +++ b/apps/presentationeditor/main/app/view/AnimationDialog.js @@ -110,6 +110,7 @@ define([ el : $('#animation-level'), cls: 'input-group-nr', editable: false, + valueField: 'id', style : 'margin-top: 16px; width: 100%;', menuStyle: 'min-width: 100%;', takeFocusOnClose: true @@ -119,14 +120,16 @@ define([ this.lstEffectList = new Common.UI.ListView({ el : $('#animation-list'), itemTemplate: _.template('
<%= displayValue %>
'), - scroll : true + scrollAlwaysVisible: true, + tabindex: 1 }); this.lstEffectList.on('item:select', _.bind(this.onEffectListItem,this)); this.chPreview = new Common.UI.CheckBox({ el : $('#animation-setpreview'), - labelText : this.textPreviewEffect - }); + 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(); @@ -134,6 +137,14 @@ define([ this.$window.find('.dlg-btn').on('click', _.bind(this.onBtnClick, this)); }, + getFocusedComponents: function() { + return [ this.cmbGroup, this.cmbLevel, this.lstEffectList, this.chPreview]; + }, + + getDefaultFocusableComponent: function () { + return this.lstEffectList; + }, + onGroupSelect: function (combo, record) { this._state.activeGroup = record.id; this._state.activeGroupValue = record.value; @@ -146,7 +157,7 @@ define([ { this.cmbLevel.store.reset(Common.define.effectData.getLevelEffect(this._state.activeGroup == 'menu-effect-group-path')); var item = (this.activeLevel)?this.cmbLevel.store.findWhere({id: this.activeLevel}):this.cmbLevel.store.at(0); - this.cmbLevel.setValue(item.get('displayValue')); + this.cmbLevel.setValue(item.get('id'), item.get('displayValue')); this.activeLevel = item.get('id'); this.fillEffect(); }, @@ -164,6 +175,7 @@ define([ if(!item) item = this.lstEffectList.store.at(0); this.lstEffectList.selectRecord(item); + this.lstEffectList.scrollToRecord(item, true); this._state.activeEffect = item.get('value'); }, @@ -173,6 +185,10 @@ define([ } }, + onPreviewChange: function (field, newValue, oldValue, eOpts) { + Common.Utils.InternalSettings.set("pe-animation-no-preview", field.getValue()!=='checked'); + }, + onBtnClick: function (event) { this._handleInput(event.currentTarget.attributes['result'].value); diff --git a/apps/presentationeditor/main/app/view/ChartSettings.js b/apps/presentationeditor/main/app/view/ChartSettings.js index 9650c68c3..f5df0b4ec 100644 --- a/apps/presentationeditor/main/app/view/ChartSettings.js +++ b/apps/presentationeditor/main/app/view/ChartSettings.js @@ -97,6 +97,7 @@ define([ this.api = api; if (this.api) { this.api.asc_registerCallback('asc_onUpdateChartStyles', _.bind(this._onUpdateChartStyles, this)); + this.api.asc_registerCallback('asc_onAddChartStylesPreview', _.bind(this.onAddChartStylesPreview, this)); } return this; }, @@ -133,7 +134,7 @@ define([ this.btnChartType.setIconCls('svgicon'); this.ShowCombinedProps(type); !(type===null || type==Asc.c_oAscChartTypeSettings.comboBarLine || type==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || - type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom) && this.updateChartStyles(this.api.asc_getChartPreviews(type)); + type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom) && this.updateChartStyles(this.api.asc_getChartPreviews(type, undefined, true)); this._state.ChartType = type; } } @@ -148,18 +149,9 @@ define([ } else { value = props.getStyle(); if (this._state.ChartStyle !== value || this._isChartStylesChanged) { - this.cmbChartStyle.suspendEvents(); - var rec = this.cmbChartStyle.menuPicker.store.findWhere({data: value}); - this.cmbChartStyle.menuPicker.selectRecord(rec); - this.cmbChartStyle.resumeEvents(); - - if (this._isChartStylesChanged) { - if (rec) - this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.getSelectedRec(), true); - else - this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.store.at(0), true); - } this._state.ChartStyle = value; + var arr = this.selectCurrentChartStyle(); + this._isChartStylesChanged && this.api.asc_generateChartPreviews(this._state.ChartType, arr); } } this._isChartStylesChanged = false; @@ -227,7 +219,8 @@ define([ groups: new Common.UI.DataViewGroupStore(Common.define.chartData.getChartGroupData()), store: new Common.UI.DataViewStore(Common.define.chartData.getChartData()), itemTemplate: _.template('
\">
'), - delayRenderTips: true + delayRenderTips: true, + delaySelect: Common.Utils.isSafari }); }); this.btnChartType.render($('#chart-button-type')); @@ -367,11 +360,52 @@ define([ this.fireEvent('editcomplete', this); }, + selectCurrentChartStyle: function() { + if (!this.cmbChartStyle) return; + + this.cmbChartStyle.suspendEvents(); + var rec = this.cmbChartStyle.menuPicker.store.findWhere({data: this._state.ChartStyle}); + this.cmbChartStyle.menuPicker.selectRecord(rec); + this.cmbChartStyle.resumeEvents(); + + if (this._isChartStylesChanged) { + var currentRecords; + if (rec) + currentRecords = this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.getSelectedRec(), true); + else + currentRecords = this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.store.at(0), true); + if (currentRecords && currentRecords.length>0) { + var arr = []; + _.each(currentRecords, function(style, index){ + arr.push(style.get('data')); + }); + return arr; + } + } + }, + + onAddChartStylesPreview: function(styles){ + var me = this; + if (styles && styles.length>0){ + var stylesStore = this.cmbChartStyle.menuPicker.store; + if (stylesStore) { + _.each(styles, function(item, index){ + var rec = stylesStore.findWhere({ + data: item.asc_getName() + }); + rec && rec.set('imageUrl', item.asc_getImage()); + }); + } + } + }, + _onUpdateChartStyles: function() { if (this.api && this._state.ChartType!==null && this._state.ChartType>-1 && !(this._state.ChartType==Asc.c_oAscChartTypeSettings.comboBarLine || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || - this._state.ChartType==Asc.c_oAscChartTypeSettings.comboAreaBar || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboCustom)) - this.updateChartStyles(this.api.asc_getChartPreviews(this._state.ChartType)); + this._state.ChartType==Asc.c_oAscChartTypeSettings.comboAreaBar || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboCustom)) { + this.updateChartStyles(this.api.asc_getChartPreviews(this._state.ChartType, undefined, true)); + this.api.asc_generateChartPreviews(this._state.ChartType, this.selectCurrentChartStyle()); + } }, updateChartStyles: function(styles) { @@ -405,24 +439,15 @@ define([ if (styles && styles.length>0){ var stylesStore = this.cmbChartStyle.menuPicker.store; if (stylesStore) { - var count = stylesStore.length; - if (count>0 && count==styles.length) { - var data = stylesStore.models; - _.each(styles, function(style, index){ - data[index].set('imageUrl', style.asc_getImage()); + var stylearray = []; + _.each(styles, function(item, index){ + stylearray.push({ + imageUrl: item.asc_getImage(), + data : item.asc_getName(), + tip : me.textStyle + ' ' + item.asc_getName() }); - } else { - var stylearray = [], - selectedIdx = -1; - _.each(styles, function(item, index){ - stylearray.push({ - imageUrl: item.asc_getImage(), - data : item.asc_getName(), - tip : me.textStyle + ' ' + item.asc_getName() - }); - }); - stylesStore.reset(stylearray, {silent: false}); - } + }); + stylesStore.reset(stylearray, {silent: false}); } } else { this.cmbChartStyle.menuPicker.store.reset(); diff --git a/apps/presentationeditor/main/app/view/DateTimeDialog.js b/apps/presentationeditor/main/app/view/DateTimeDialog.js index ce875c21a..e170cb6d1 100644 --- a/apps/presentationeditor/main/app/view/DateTimeDialog.js +++ b/apps/presentationeditor/main/app/view/DateTimeDialog.js @@ -89,7 +89,7 @@ define([ Common.UI.Window.prototype.render.call(this); var data = [{ value: 0x042C }, { value: 0x0402 }, { value: 0x0405 }, { value: 0x0C07 }, { value: 0x0407 }, {value: 0x0807}, { value: 0x0408 }, { value: 0x0C09 }, { value: 0x0809 }, { value: 0x0409 }, { value: 0x0C0A }, { value: 0x080A }, - { value: 0x040B }, { value: 0x040C }, { value: 0x0410 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x040E }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, + { value: 0x040B }, { value: 0x040C }, { value: 0x100C }, { value: 0x0410 }, { value: 0x0810 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x040E }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, { value: 0x0816 }, { value: 0x0419 }, { value: 0x041B }, { value: 0x0424 }, { value: 0x081D }, { value: 0x041D }, { value: 0x041F }, { value: 0x0422 }, { value: 0x042A }, { value: 0x0804 }]; data.forEach(function(item) { var langinfo = Common.util.LanguageInfo.getLocalLanguageName(item.value); diff --git a/apps/presentationeditor/main/app/view/DocumentHolder.js b/apps/presentationeditor/main/app/view/DocumentHolder.js index 1c3ebe6bc..28be6cf54 100644 --- a/apps/presentationeditor/main/app/view/DocumentHolder.js +++ b/apps/presentationeditor/main/app/view/DocumentHolder.js @@ -2056,6 +2056,7 @@ define([ 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(); @@ -3345,6 +3346,7 @@ define([ me.tableMenu = new Common.UI.Menu({ cls: 'shifted-right', + restoreHeightAndTop: true, initMenu: function(value){ // table properties if (_.isUndefined(value.tableProps)) @@ -3558,6 +3560,7 @@ define([ me.pictureMenu = new Common.UI.Menu({ cls: 'shifted-right', + restoreHeightAndTop: true, initMenu: function(value){ if (me.api) { mnuUnGroupImg.setDisabled(!me.api.canUnGroup()); diff --git a/apps/presentationeditor/main/app/view/HeaderFooterDialog.js b/apps/presentationeditor/main/app/view/HeaderFooterDialog.js index 9eac4598e..b1fb2b1a1 100644 --- a/apps/presentationeditor/main/app/view/HeaderFooterDialog.js +++ b/apps/presentationeditor/main/app/view/HeaderFooterDialog.js @@ -123,7 +123,7 @@ define(['text!presentationeditor/main/app/template/HeaderFooterDialog.template', }); var data = [{ value: 0x042C }, { value: 0x0402 }, { value: 0x0405 }, { value: 0x0C07 }, { value: 0x0407 }, {value: 0x0807}, { value: 0x0408 }, { value: 0x0C09 }, { value: 0x0809 }, { value: 0x0409 }, { value: 0x0C0A }, { value: 0x080A }, - { value: 0x040B }, { value: 0x040C }, { value: 0x0410 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x040E }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, + { value: 0x040B }, { value: 0x040C }, { value: 0x100C }, { value: 0x0410 }, { value: 0x0810 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x040E }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, { value: 0x0816 }, { value: 0x0419 }, { value: 0x041B }, { value: 0x0424 }, { value: 0x081D }, { value: 0x041D }, { value: 0x041F }, { value: 0x0422 }, { value: 0x042A }, { value: 0x0804 }]; data.forEach(function(item) { var langinfo = Common.util.LanguageInfo.getLocalLanguageName(item.value); diff --git a/apps/presentationeditor/main/app/view/ImageSettings.js b/apps/presentationeditor/main/app/view/ImageSettings.js index 2f685803d..25bc35c55 100644 --- a/apps/presentationeditor/main/app/view/ImageSettings.js +++ b/apps/presentationeditor/main/app/view/ImageSettings.js @@ -295,10 +295,10 @@ define([ itemTemplate: _.template('
\">
'), groups: me.application.getCollection('ShapeGroups'), parentMenu: me.btnChangeShape.menu, - restoreHeight: 640, + restoreHeight: 652, textRecentlyUsed: me.textRecentlyUsed, recentShapes: recents ? JSON.parse(recents) : null, - isFromImage: true + hideTextRect: true }); shapePicker.on('item:click', function(picker, item, record, e) { if (me.api) { diff --git a/apps/presentationeditor/main/app/view/ShapeSettings.js b/apps/presentationeditor/main/app/view/ShapeSettings.js index 5f16e1b48..1b598f2ac 100644 --- a/apps/presentationeditor/main/app/view/ShapeSettings.js +++ b/apps/presentationeditor/main/app/view/ShapeSettings.js @@ -448,8 +448,13 @@ define([ rawData = record; } - this.typeGradient = rawData.type + 90; - (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) ? this.GradLinearDirectionType = rawData.type : this.GradRadialDirectionIdx = 0; + if (this.GradFillType === Asc.c_oAscFillGradType.GRAD_LINEAR) { + this.GradLinearDirectionType = rawData.type; + this.typeGradient = rawData.type + 90; + } else { + this.GradRadialDirectionIdx = 0; + this.typeGradient = rawData.type; + } if (this.api) { if (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) { this.numGradientAngle.setValue(rawData.type, true); @@ -536,13 +541,13 @@ define([ btnDirectionRedraw: function(slider, gradientColorsStr) { this.gradientColorsStr = gradientColorsStr; - if (this.mnuDirectionPicker.dataViewItems.length == 1) - this.mnuDirectionPicker.dataViewItems[0].$el.children(0).css({'background': 'radial-gradient(' + gradientColorsStr + ')'}); - else - this.mnuDirectionPicker.dataViewItems.forEach(function (item) { - var type = item.model.get('type') + 90; - item.$el.children(0).css({'background': 'linear-gradient(' + type + 'deg, ' + gradientColorsStr + ')'}); - }); + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = gradientColorsStr; + }); + this._viewDataRadial.gradientColorsStr = this.gradientColorsStr; + this.mnuDirectionPicker.store.each(function(item){ + item.set('gradientColorsStr', gradientColorsStr); + }, this); if (this.typeGradient == -1) this.btnDirection.$icon.css({'background': 'none'}); @@ -1303,9 +1308,12 @@ define([ { type:270, subtype:3}, { type:225, subtype:7} ]; + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = me.gradientColorsStr; + }); this._viewDataRadial = [ - { type:2, subtype:5} + { type:2, subtype:5, gradientColorsStr: this.gradientColorsStr} ]; this.btnDirection = new Common.UI.Button({ @@ -1329,8 +1337,8 @@ define([ restoreHeight: 174, store: new Common.UI.DataViewStore(me._viewDataLinear), itemTemplate: _.template('
') + +'<% if(type!=2) {%>linear-gradient(<%= type + 90 %>deg,<%= gradientColorsStr %>)' + +' <%} else {%> radial-gradient(<%= gradientColorsStr %>) <%}%>;">
') }); }); this.btnDirection.render($('#shape-button-direction')); @@ -1698,7 +1706,7 @@ define([ itemTemplate: _.template('
\">
'), groups: me.application.getCollection('ShapeGroups'), parentMenu: me.btnChangeShape.menu, - restoreHeight: 640, + restoreHeight: 652, textRecentlyUsed: me.textRecentlyUsed, recentShapes: recents ? JSON.parse(recents) : null, hideTextRect: me._state.isFromImage || me._state.isFromSmartArtInternal, diff --git a/apps/presentationeditor/main/app/view/SlideSettings.js b/apps/presentationeditor/main/app/view/SlideSettings.js index 2b4005fdc..1bb821d15 100644 --- a/apps/presentationeditor/main/app/view/SlideSettings.js +++ b/apps/presentationeditor/main/app/view/SlideSettings.js @@ -110,7 +110,7 @@ define([ this.textureNames = [this.txtCanvas, this.txtCarton, this.txtDarkFabric, this.txtGrain, this.txtGranite, this.txtGreyPaper, this.txtKnit, this.txtLeather, this.txtBrownPaper, this.txtPapyrus, this.txtWood]; - this.gradientColorsStr=""; + this.gradientColorsStr="#000, #fff"; this.typeGradient = 90; this.render(); @@ -519,8 +519,13 @@ define([ rawData = record; } - this.typeGradient = rawData.type + 90; - (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) ? this.GradLinearDirectionType = rawData.type : this.GradRadialDirectionIdx = 0; + if (this.GradFillType === Asc.c_oAscFillGradType.GRAD_LINEAR) { + this.GradLinearDirectionType = rawData.type; + this.typeGradient = rawData.type + 90; + } else { + this.GradRadialDirectionIdx = 0; + this.typeGradient = rawData.type; + } if (this.api) { if (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) { this.numGradientAngle.setValue(rawData.type, true); @@ -607,13 +612,13 @@ define([ btnDirectionRedraw: function(slider, gradientColorsStr) { this.gradientColorsStr = gradientColorsStr; - if (this.mnuDirectionPicker.dataViewItems.length == 1) - this.mnuDirectionPicker.dataViewItems[0].$el.children(0).css({'background': 'radial-gradient(' + gradientColorsStr + ')'}); - else - this.mnuDirectionPicker.dataViewItems.forEach(function (item) { - var type = item.model.get('type') + 90; - item.$el.children(0).css({'background': 'linear-gradient(' + type + 'deg, ' + gradientColorsStr + ')'}); - }); + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = gradientColorsStr; + }); + this._viewDataRadial.gradientColorsStr = this.gradientColorsStr; + this.mnuDirectionPicker.store.each(function(item){ + item.set('gradientColorsStr', gradientColorsStr); + }, this); if (this.typeGradient == -1) this.btnDirection.$icon.css({'background': 'none'}); @@ -799,9 +804,12 @@ define([ { type:270, subtype:3}, { type:225, subtype:7} ]; + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = me.gradientColorsStr; + }); this._viewDataRadial = [ - { type:2, subtype:5} + { type:2, subtype:5, gradientColorsStr: this.gradientColorsStr} ]; this.btnDirection = new Common.UI.Button({ @@ -825,8 +833,8 @@ define([ restoreHeight: 174, store: new Common.UI.DataViewStore(me._viewDataLinear), itemTemplate: _.template('
') + +'<% if(type!=2) {%>linear-gradient(<%= type + 90 %>deg,<%= gradientColorsStr %>)' + +' <%} else {%> radial-gradient(<%= gradientColorsStr %>) <%}%>;">
') }); }); this.btnDirection.render($('#slide-button-direction')); diff --git a/apps/presentationeditor/main/app/view/TableSettings.js b/apps/presentationeditor/main/app/view/TableSettings.js index d08e62efb..2c37f45ba 100644 --- a/apps/presentationeditor/main/app/view/TableSettings.js +++ b/apps/presentationeditor/main/app/view/TableSettings.js @@ -72,7 +72,7 @@ define([ this._initSettings = true; this._state = { - TemplateId: 0, + TemplateId: undefined, CheckHeader: false, CheckTotal: false, CheckBanded: false, @@ -82,7 +82,10 @@ define([ BackColor: '#000000', DisabledControls: false, Width: null, - Height: null + Height: null, + beginPreviewStyles: true, + previewStylesCount: -1, + currentStyleFound: false }; this.spinners = []; this.lockedControls = []; @@ -220,6 +223,9 @@ define([ this.api = o; if (o) { this.api.asc_registerCallback('asc_onInitTableTemplates', _.bind(this.onInitTableTemplates, this)); + this.api.asc_registerCallback('asc_onBeginTableStylesPreview', _.bind(this.onBeginTableStylesPreview, this)); + this.api.asc_registerCallback('asc_onAddTableStylesPreview', _.bind(this.onAddTableStylesPreview, this)); + this.api.asc_registerCallback('asc_onEndTableStylesPreview', _.bind(this.onEndTableStylesPreview, this)); } return this; }, @@ -464,19 +470,12 @@ define([ //for table-template value = props.get_TableStyle(); if (this._state.TemplateId!==value || this._isTemplatesChanged) { - var rec = this.mnuTableTemplatePicker.store.findWhere({ - templateId: value - }); - if (!rec) { - rec = this.mnuTableTemplatePicker.store.at(0); - } - this.btnTableTemplate.suspendEvents(); - this.mnuTableTemplatePicker.selectRecord(rec, true); - this.btnTableTemplate.resumeEvents(); - - this.$el.find('.icon-template-table').css({'background-image': 'url(' + rec.get("imageUrl") + ')', 'height': '52px', 'width': '72px', 'background-position': 'center', 'background-size': 'auto 52px'}); - this._state.TemplateId = value; + var template = this.api.asc_getTableStylesPreviews(false, [this._state.TemplateId]); + if (template && template.length>0) + this.$el.find('.icon-template-table').css({'background-image': 'url(' + template[0].asc_getImage() + ')', 'height': '52px', 'width': '72px', 'background-position': 'center', 'background-size': 'auto 52px'}); + this._state.currentStyleFound = false; + this.selectCurrentTableStyle(); } this._isTemplatesChanged = false; @@ -673,6 +672,66 @@ define([ !this.btnBorderColor.isAutoColor() && this.btnBorderColor.setColor(this.borderColor.getColor()); }, + selectCurrentTableStyle: function() { + if (!this.mnuTableTemplatePicker || this._state.beginPreviewStyles) return; + + var rec = this.mnuTableTemplatePicker.store.findWhere({ + templateId: this._state.TemplateId + }); + if (!rec && this._state.previewStylesCount===this.mnuTableTemplatePicker.store.length) { + rec = this.mnuTableTemplatePicker.store.at(0); + } + if (rec) { + this._state.currentStyleFound = true; + this.btnTableTemplate.suspendEvents(); + this.mnuTableTemplatePicker.selectRecord(rec, true); + this.btnTableTemplate.resumeEvents(); + this.$el.find('.icon-template-table').css({'background-image': 'url(' + rec.get("imageUrl") + ')', 'height': '52px', 'width': '72px', 'background-position': 'center', 'background-size': 'auto 52px'}); + } + }, + + onBeginTableStylesPreview: function(count){ + this._state.beginPreviewStyles = true; + this._state.currentStyleFound = false; + this._state.previewStylesCount = count; + }, + + onEndTableStylesPreview: function(){ + !this._state.currentStyleFound && this.selectCurrentTableStyle(); + if (this.mnuTableTemplatePicker) { + this.mnuTableTemplatePicker.scroller.update({alwaysVisibleY: true}); + if (this.mnuTableTemplatePicker.isVisible()) + this.mnuTableTemplatePicker.scrollToRecord(this.mnuTableTemplatePicker.getSelectedRec()); + } + }, + + onAddTableStylesPreview: function(Templates){ + var self = this; + var arr = []; + _.each(Templates, function(template){ + var tip = template.asc_getDisplayName(); + if (template.asc_getType()==0) { + ['No Style', 'No Grid', 'Table Grid', 'Themed Style', 'Light Style', 'Medium Style', 'Dark Style', 'Accent'].forEach(function(item){ + var str = 'txtTable_' + item.replace(' ', ''); + if (self[str]) + tip = tip.replace(new RegExp(item, 'g'), self[str]); + }); + } + arr.push({ + imageUrl: template.asc_getImage(), + id : Common.UI.getId(), + templateId: template.asc_getId(), + tip : tip + }); + }); + if (this._state.beginPreviewStyles) { + this._state.beginPreviewStyles = false; + self.mnuTableTemplatePicker.store.reset(arr); + } else + self.mnuTableTemplatePicker.store.add(arr); + !this._state.currentStyleFound && this.selectCurrentTableStyle(); + }, + onInitTableTemplates: function(){ if (this._initSettings) { this._tableTemplates = true; @@ -682,7 +741,6 @@ define([ }, _onInitTemplates: function(){ - var Templates = this.api.asc_getTableStylesPreviews(); var self = this; this._isTemplatesChanged = true; @@ -713,39 +771,11 @@ define([ }); }); this.btnTableTemplate.render($('#table-btn-template')); + this.btnTableTemplate.cmpEl.find('.icon-template-table').css({'height': '52px', 'width': '72px', 'background-position': 'center', 'background-size': 'auto 52px'}); this.lockedControls.push(this.btnTableTemplate); this.mnuTableTemplatePicker.on('item:click', _.bind(this.onTableTemplateSelect, this, this.btnTableTemplate)); } - - var count = self.mnuTableTemplatePicker.store.length; - if (count>0 && count==Templates.length) { - var data = self.mnuTableTemplatePicker.dataViewItems; - data && _.each(Templates, function(template, index){ - var img = template.asc_getImage(); - data[index].model.set('imageUrl', img, {silent: true}); - $(data[index].el).find('img').attr('src', img); - }); - } else { - var arr = []; - _.each(Templates, function(template){ - var tip = template.asc_getDisplayName(); - if (template.asc_getType()==0) { - ['No Style', 'No Grid', 'Table Grid', 'Themed Style', 'Light Style', 'Medium Style', 'Dark Style', 'Accent'].forEach(function(item){ - var str = 'txtTable_' + item.replace(' ', ''); - if (self[str]) - tip = tip.replace(new RegExp(item, 'g'), self[str]); - }); - - } - arr.push({ - imageUrl: template.asc_getImage(), - id : Common.UI.getId(), - templateId: template.asc_getId(), - tip : tip - }); - }); - self.mnuTableTemplatePicker.store.reset(arr); - } + this.api.asc_generateTableStylesPreviews(); }, openAdvancedSettings: function(e) { @@ -792,7 +822,7 @@ define([ _.each(this.lockedControls, function(item) { item.setDisabled(disable); }); - this.linkAdvanced.toggleClass('disabled', disable); + this.linkAdvanced && this.linkAdvanced.toggleClass('disabled', disable); } }, diff --git a/apps/presentationeditor/main/app/view/TextArtSettings.js b/apps/presentationeditor/main/app/view/TextArtSettings.js index 3819358a7..848e77b94 100644 --- a/apps/presentationeditor/main/app/view/TextArtSettings.js +++ b/apps/presentationeditor/main/app/view/TextArtSettings.js @@ -129,6 +129,8 @@ define([ this.TransformSettings = $('.textart-transform'); + this.gradientColorsStr="#000, #fff"; + this.typeGradient = 90 ; PE.getCollection('Common.Collections.TextArt').bind({ reset: this.fillTextArt.bind(this) }); @@ -397,10 +399,7 @@ define([ this.mnuDirectionPicker.restoreHeight = 174; var record = this.mnuDirectionPicker.store.findWhere({type: this.GradLinearDirectionType}); this.mnuDirectionPicker.selectRecord(record, true); - if (record) - this.btnDirection.setIconCls('item-gradient ' + record.get('iconcls')); - else - this.btnDirection.setIconCls(''); + this.typeGradient = (record) ? this.GradLinearDirectionType + 90 : -1; this.numGradientAngle.setValue(this.GradLinearDirectionType, true); this.numGradientAngle.setDisabled(this._locked); } else if (this.GradFillType == Asc.c_oAscFillGradType.GRAD_PATH) { @@ -409,9 +408,9 @@ define([ this.mnuDirectionPicker.restoreHeight = 58; this.mnuDirectionPicker.selectByIndex(this.GradRadialDirectionIdx, true); if (this.GradRadialDirectionIdx>=0) - this.btnDirection.setIconCls('item-gradient ' + this._viewDataRadial[this.GradRadialDirectionIdx].iconcls); + this.typeGradient = this._viewDataRadial[this.GradRadialDirectionIdx].type; else - this.btnDirection.setIconCls(''); + this.typeGradient= -1; this.numGradientAngle.setValue(0, true); this.numGradientAngle.setDisabled(true); } @@ -451,7 +450,13 @@ define([ rawData = record; } - this.btnDirection.setIconCls('item-gradient ' + rawData.iconcls); + if (this.GradFillType === Asc.c_oAscFillGradType.GRAD_LINEAR) { + this.GradLinearDirectionType = rawData.type; + this.typeGradient = rawData.type + 90; + } else { + this.GradRadialDirectionIdx = 0; + this.typeGradient = rawData.type; + } (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) ? this.GradLinearDirectionType = rawData.type : this.GradRadialDirectionIdx = 0; if (this.api) { if (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) { @@ -528,6 +533,14 @@ define([ this.api.setEndPointHistory(); this._gradientApplyFunc(); } + + var arrGrCollors=[]; + var scale=(this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR)?1:0.7; + for (var index=0; index < slider.thumbs.length; index++) { + arrGrCollors.push(slider.getColorValue(index)+ ' '+ slider.getValue(index)*scale +'%'); + } + + this.btnDirectionRedraw(slider, arrGrCollors.join(', ')); this._sendUndoPoint = true; }, @@ -805,7 +818,7 @@ define([ this.onGradTypeSelect(this.cmbGradType, rec.attributes); } else { this.cmbGradType.setValue(''); - this.btnDirection.setIconCls(''); + this.typeGradient = -1; } this._state.GradFillType = this.GradFillType; } @@ -816,10 +829,7 @@ define([ this.GradLinearDirectionType=value; var record = this.mnuDirectionPicker.store.findWhere({type: value}); this.mnuDirectionPicker.selectRecord(record, true); - if (record) - this.btnDirection.setIconCls('item-gradient ' + record.get('iconcls')); - else - this.btnDirection.setIconCls(''); + this.typeGradient = (record)? value + 90 : -1; this.numGradientAngle.setValue(value, true); } } else @@ -852,10 +862,17 @@ define([ me.GradColor.values[index] = position; } }); + var arrGrCollors=[]; + var scale=(this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR)?1:0.7; + for (var index=0; index= this.GradColor.colors.length) { me.GradColor.currentIdx = 0; } @@ -1076,6 +1093,26 @@ define([ } }, + btnDirectionRedraw: function(slider, gradientColorsStr) { + this.gradientColorsStr = gradientColorsStr; + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = gradientColorsStr; + }); + this._viewDataRadial.gradientColorsStr = this.gradientColorsStr; + this.mnuDirectionPicker.store.each(function(item){ + item.set('gradientColorsStr', gradientColorsStr); + }, this); + + if (this.typeGradient == -1) + this.btnDirection.$icon.css({'background': 'none'}); + else if (this.typeGradient == 2) + this.btnDirection.$icon.css({'background': ('radial-gradient(' + gradientColorsStr + ')')}); + else + this.btnDirection.$icon.css({ + 'background': ('linear-gradient(' + this.typeGradient + 'deg, ' + gradientColorsStr + ')') + }); + }, + createDelayedControls: function() { var me = this; @@ -1218,18 +1255,21 @@ define([ this.lockedControls.push(this.cmbGradType); this._viewDataLinear = [ - { offsetx: 0, offsety: 0, type:45, subtype:-1, iconcls:'gradient-left-top' }, - { offsetx: 50, offsety: 0, type:90, subtype:4, iconcls:'gradient-top'}, - { offsetx: 100, offsety: 0, type:135, subtype:5, iconcls:'gradient-right-top'}, - { offsetx: 0, offsety: 50, type:0, subtype:6, iconcls:'gradient-left', cls: 'item-gradient-separator', selected: true}, - { offsetx: 100, offsety: 50, type:180, subtype:1, iconcls:'gradient-right'}, - { offsetx: 0, offsety: 100, type:315, subtype:2, iconcls:'gradient-left-bottom'}, - { offsetx: 50, offsety: 100, type:270, subtype:3, iconcls:'gradient-bottom'}, - { offsetx: 100, offsety: 100, type:225, subtype:7, iconcls:'gradient-right-bottom'} + { type:45, subtype:-1}, + { type:90, subtype:4}, + { type:135, subtype:5}, + { type:0, subtype:6, cls: 'item-gradient-separator', selected: true}, + { type:180, subtype:1}, + { type:315, subtype:2}, + { type:270, subtype:3}, + { type:225, subtype:7} ]; + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = me.gradientColorsStr; + }); this._viewDataRadial = [ - { offsetx: 100, offsety: 150, type:2, subtype:5, iconcls:'gradient-radial-center'} + { type:2, subtype:5, gradientColorsStr: this.gradientColorsStr} ]; this.btnDirection = new Common.UI.Button({ @@ -1252,7 +1292,9 @@ define([ parentMenu: btn.menu, restoreHeight: 174, store: new Common.UI.DataViewStore(me._viewDataLinear), - itemTemplate: _.template('
') + itemTemplate: _.template('
') }); }); this.btnDirection.render($('#textart-button-direction')); diff --git a/apps/presentationeditor/main/app/view/Toolbar.js b/apps/presentationeditor/main/app/view/Toolbar.js index d1fc6930e..4e05a53e2 100644 --- a/apps/presentationeditor/main/app/view/Toolbar.js +++ b/apps/presentationeditor/main/app/view/Toolbar.js @@ -96,7 +96,9 @@ define([ noTriggerObjects: 'no-trigger-objects', noMoveAnimationEarlier: 'no-move-animation-earlier', noMoveAnimationLater: 'no-move-animation-later', - noAnimationPreview: 'no-animation-preview' + noAnimationPreview: 'no-animation-preview', + noAnimationRepeat: 'no-animation-repeat', + noAnimationDuration: 'no-animation-duration' }; for (var key in enumLock) { if (enumLock.hasOwnProperty(key)) { @@ -1035,6 +1037,7 @@ define([ dataHint: '1', dataHintDirection: 'bottom', dataHintOffset: '-16, -4', + delayRenderTips: true, itemTemplate: _.template([ '
', '
' + 'background-image: url(<%= imageUrl %>);' + '<% } %> background-position: 0 -<%= offsety %>px;">
', @@ -1082,7 +1085,7 @@ define([ cls: 'combo-styles shapes', itemWidth: 20, itemHeight: 20, - menuMaxHeight: 640, + menuMaxHeight: 652, menuWidth: 362, style: 'width: 140px;', enableKeyEvents: true, @@ -1760,7 +1763,7 @@ define([ itemTemplate: _.template('
\">
'), groups: collection, parentMenu: menuShape, - restoreHeight: 640, + restoreHeight: 652, textRecentlyUsed: me.textRecentlyUsed, recentShapes: recents }); diff --git a/apps/presentationeditor/main/app/view/Transitions.js b/apps/presentationeditor/main/app/view/Transitions.js index ab9e1e0c0..0823470f9 100644 --- a/apps/presentationeditor/main/app/view/Transitions.js +++ b/apps/presentationeditor/main/app/view/Transitions.js @@ -234,6 +234,14 @@ define([ }); this.lockedControls.push(this.numDuration); + this.lblDuration = new Common.UI.Label({ + el: this.$el.find('#transit-duration'), + iconCls: 'toolbar__icon animation-duration', + caption: this.strDuration, + lock: [_set.slideDeleted, _set.noSlides, _set.disableOnStart, _set.transitLock] + }); + this.lockedControls.push(this.lblDuration); + this.numDelay = new Common.UI.MetricSpinner({ el: this.$el.find('#transit-spin-delay'), step: 1, @@ -271,7 +279,6 @@ define([ Common.Utils.lockControls(Common.enumLock.disableOnStart, true, {array: this.lockedControls}); - this.$el.find('#transit-duration').text(this.strDuration); Common.NotificationCenter.on('app:ready', this.onAppReady.bind(this)); }, @@ -336,7 +343,6 @@ define([ this.renderComponent('#transit-spin-duration', this.numDuration); this.renderComponent('#transit-spin-delay', this.numDelay); this.renderComponent('#transit-checkbox-startonclick', this.chStartOnClick); - this.$el.find("#label-duration").innerText = this.strDuration; this.$el.find("#label-delay").innerText = this.strDelay; return this.$el; }, @@ -418,6 +424,7 @@ define([ this.btnParameters.setDisabled(effect === Asc.c_oAscSlideTransitionTypes.None); this.btnPreview.setDisabled(effect === Asc.c_oAscSlideTransitionTypes.None); this.numDuration.setDisabled(effect === Asc.c_oAscSlideTransitionTypes.None); + this.lblDuration.setDisabled(effect === Asc.c_oAscSlideTransitionTypes.None); } return (selectedElement)?selectedElement.value:-1; }, @@ -430,7 +437,6 @@ define([ strDuration: 'Duration', strDelay: 'Delay', strStartOnClick: 'Start On Click', - textNone: 'None', textFade: 'Fade', textPush: 'Push', diff --git a/apps/presentationeditor/main/locale/be.json b/apps/presentationeditor/main/locale/be.json index fc754849c..317cc7223 100644 --- a/apps/presentationeditor/main/locale/be.json +++ b/apps/presentationeditor/main/locale/be.json @@ -7,15 +7,53 @@ "Common.Controllers.ExternalDiagramEditor.warningTitle": "Увага", "Common.define.chartData.textArea": "Вобласць", "Common.define.chartData.textBar": "Лінія", + "Common.define.chartData.textBarNormal3d": "Трохвымерная гістаграма з групаваннем", + "Common.define.chartData.textBarNormal3dPerspective": "Трохвымерная гістаграма", + "Common.define.chartData.textBarStacked3d": "Трохвымерная састаўная гістаграма", + "Common.define.chartData.textBarStackedPer3d": "Трохвымерная састаўная гістаграма 100%", "Common.define.chartData.textCharts": "Дыяграмы", "Common.define.chartData.textColumn": "Гістаграма", + "Common.define.chartData.textHBarNormal3d": "Трохвымерная лінейная з групаваннем", "Common.define.chartData.textLine": "Графік", "Common.define.chartData.textPie": "Па крузе", "Common.define.chartData.textPoint": "XY (рассеяная)", "Common.define.chartData.textStock": "Біржа", "Common.define.chartData.textSurface": "Паверхня", + "Common.define.effectData.textBox": "Скрыня", + "Common.define.effectData.textCollapse": "Згарнуць", + "Common.define.effectData.textDiamond": "Ромб", + "Common.define.effectData.textExpand": "Пашырыць", + "Common.define.effectData.textFillColor": "Колер фону", + "Common.define.effectData.textFlip": "Пераварочванне", + "Common.define.effectData.textFontColor": "Колер шрыфту", + "Common.define.effectData.textHeart": "Сэрца", + "Common.define.effectData.textHexagon": "Шасцівугольнік", + "Common.define.effectData.textHorizontal": "Гарызантальна", + "Common.define.effectData.textHorizontalIn": "Гарызантальна ўнутр", + "Common.define.effectData.textHorizontalOut": "Па гарызанталі вонкі", + "Common.define.effectData.textIn": "Унутры", + "Common.define.effectData.textModerate": "Сярэднія", + "Common.define.effectData.textOctagon": "Васьмівугольнік", + "Common.define.effectData.textOut": "Звонку", + "Common.define.effectData.textParallelogram": "Паралелаграм", + "Common.define.effectData.textPentagon": "Пяцівугольнік", + "Common.define.effectData.textRight": "Справа", + "Common.define.effectData.textRightTriangle": "Прамавугольны трохвугольнік", + "Common.define.effectData.textShape": "Фігура", + "Common.define.effectData.textSpecial": "Адмысловы", + "Common.define.effectData.textSplit": "Панарама", + "Common.define.effectData.textStretch": "Расцягванне", + "Common.define.effectData.textTrapezoid": "Трапецыя", + "Common.define.effectData.textUnderline": "Падкрэслены", + "Common.define.effectData.textUp": "Уверх", + "Common.define.effectData.textVerticalIn": "Вертыкальна ўнутр", + "Common.define.effectData.textVerticalOut": "Вертыкальна вонкі", + "Common.define.effectData.textWedge": "Клін", + "Common.define.effectData.textWipe": "З’яўленне", + "Common.define.effectData.textZoom": "Маштаб", "Common.Translation.warnFileLocked": "Дакумент выкарыстоўваецца іншай праграмай. Вы можаце працягнуць рэдагаванне і захаваць яго як копію.", "Common.UI.ButtonColored.textAutoColor": "Аўтаматычна", + "Common.UI.ButtonColored.textNewColor": "Дадаць новы адвольны колер", "Common.UI.ComboBorderSize.txtNoBorders": "Без межаў", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Без межаў", "Common.UI.ComboDataView.emptyComboText": "Без стыляў", @@ -39,6 +77,8 @@ "Common.UI.SynchronizeTip.textSynchronize": "Дакумент быў зменены іншым карыстальнікам.
Націсніце, каб захаваць свае змены і загрузіць абнаўленні.", "Common.UI.ThemeColorPalette.textStandartColors": "Стандартныя колеры", "Common.UI.ThemeColorPalette.textThemeColors": "Колеры тэмы", + "Common.UI.Themes.txtThemeDark": "Цёмная", + "Common.UI.Themes.txtThemeLight": "Светлая", "Common.UI.Window.cancelButtonText": "Скасаваць", "Common.UI.Window.closeButtonText": "Закрыць", "Common.UI.Window.noButtonText": "Не", @@ -61,10 +101,12 @@ "Common.Views.AutoCorrectDialog.textAdd": "Дадаць", "Common.Views.AutoCorrectDialog.textApplyText": "Ужываць падчас уводу", "Common.Views.AutoCorrectDialog.textAutoFormat": "Аўтафарматаванне падчас уводу", + "Common.Views.AutoCorrectDialog.textBulleted": "Спісы з адзнакамі", "Common.Views.AutoCorrectDialog.textBy": "На", "Common.Views.AutoCorrectDialog.textDelete": "Выдаліць", "Common.Views.AutoCorrectDialog.textHyphens": "Злучкі (--) на працяжнік (—)", "Common.Views.AutoCorrectDialog.textMathCorrect": "Аўтазамена матэматычнымі сімваламі", + "Common.Views.AutoCorrectDialog.textNumbered": "Нумараваныя спісы", "Common.Views.AutoCorrectDialog.textRecognized": "Распазнаныя формулы", "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Гэтыя выразы распазнаныя як матэматычныя. Яны не будуць пазначацца курсівам.", "Common.Views.AutoCorrectDialog.textReplace": "Замяніць", @@ -130,9 +172,11 @@ "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": "Устаўце URL выявы:", "Common.Views.ImageFromUrlDialog.txtEmpty": "Гэтае поле неабходна запоўніць", @@ -248,6 +292,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Адкрыць зноў", "Common.Views.ReviewPopover.textReply": "Адказаць", "Common.Views.ReviewPopover.textResolve": "Вырашыць", + "Common.Views.ReviewPopover.txtEditTip": "Рэдагаваць", "Common.Views.SaveAsDlg.textLoading": "Загрузка", "Common.Views.SaveAsDlg.textTitle": "Каталог для захавання", "Common.Views.SelectFileDlg.textLoading": "Загрузка", @@ -304,6 +349,7 @@ "Common.Views.SymbolTableDialog.textTradeMark": "Сімвал таварнага знака", "Common.Views.UserNameDialog.textLabel": "Адмеціна:", "Common.Views.UserNameDialog.textLabelError": "Адмеціна не можа быць пустой", + "PE.Controllers.LeftMenu.leavePageText": "Усе незахаваныя змены ў гэтым дакуменце страцяцца.
Націсніце \"Скасаваць\" і \"Захаваць\", каб захаваць іх. Націсніце \"Добра\", каб адкінуць незахаваныя змены.", "PE.Controllers.LeftMenu.newDocumentTitle": "Прэзентацыя без назвы", "PE.Controllers.LeftMenu.notcriticalErrorTitle": "Увага", "PE.Controllers.LeftMenu.requestEditRightsText": "Запыт правоў на рэдагаванне…", @@ -349,7 +395,7 @@ "PE.Controllers.Main.errorUserDrop": "На дадзены момант файл недаступны.", "PE.Controllers.Main.errorUsersExceed": "Перасягнута колькасць карыстальнікаў, дазволеных згодна тарыфу", "PE.Controllers.Main.errorViewerDisconnect": "Злучэнне страчана. Вы зможаце праглядаць дакумент,
але не зможаце спампаваць альбо надрукаваць яго да аднаўлення злучэння і перазагрузкі старонкі.", - "PE.Controllers.Main.leavePageText": "У прэзентацыі ёсць незахаваныя змены. Каб захаваць іх, націсніце \"Застацца на гэтай старонцы\", пасля \"Захаваць\". Націсніце \"Сысці са старонкі\", каб адкінуць незахаваныя змены.", + "PE.Controllers.Main.leavePageText": "У прэзентацыі ёсць незахаваныя змены. Каб захаваць іх, націсніце \"Застацца на гэтай старонцы\", пасля \"Захаваць\". Націсніце \"Пакінуць старонку\", каб адкінуць незахаваныя змены.", "PE.Controllers.Main.loadFontsTextText": "Загрузка даных…", "PE.Controllers.Main.loadFontsTitleText": "Загрузка даных", "PE.Controllers.Main.loadFontTextText": "Загрузка даных…", @@ -398,6 +444,7 @@ "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": "Пстрыкніце, каб дадаць першы слайд", @@ -414,14 +461,15 @@ "PE.Controllers.Main.txtEditingMode": "Актывацыя рэжыму рэдагавання…", "PE.Controllers.Main.txtErrorLoadHistory": "Не атрымалася загрузіць гісторыю", "PE.Controllers.Main.txtFiguredArrows": "Фігурныя стрэлкі", - "PE.Controllers.Main.txtFooter": "Ніжні калантытул", - "PE.Controllers.Main.txtHeader": "Верхні калантытул", + "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": "Шэраг", @@ -665,6 +713,8 @@ "PE.Controllers.Main.warnBrowserZoom": "Бягучыя налады маштабу старонкі падтрымліваюцца браўзерам толькі часткова. Калі ласка, скінце да прадвызначанага значэння націснуўшы Ctrl+О.", "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,каб абмеркаваць асабістыя ўмовы ліцэнзіявання.", @@ -967,7 +1017,7 @@ "PE.Controllers.Toolbar.txtSymbol_mu": "Мю", "PE.Controllers.Toolbar.txtSymbol_nabla": "Набла", "PE.Controllers.Toolbar.txtSymbol_neq": "Не роўна", - "PE.Controllers.Toolbar.txtSymbol_ni": "Утрымлівае як чальца", + "PE.Controllers.Toolbar.txtSymbol_ni": "Утрымлівае як член", "PE.Controllers.Toolbar.txtSymbol_not": "Знак адмаўлення", "PE.Controllers.Toolbar.txtSymbol_notexists": "Не існуе", "PE.Controllers.Toolbar.txtSymbol_nu": "Ню", @@ -1005,6 +1055,12 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Дзэта", "PE.Controllers.Viewport.textFitPage": "Па памерах слайда", "PE.Controllers.Viewport.textFitWidth": "Па шырыні", + "PE.Views.Animation.strDelay": "Затрымка", + "PE.Views.Animation.strDuration": "Працягласць", + "PE.Views.Animation.strStart": "Запуск", + "PE.Views.Animation.textMultiple": "множнік", + "PE.Views.Animation.textNone": "Няма", + "PE.Views.Animation.txtPreview": "Прагляд", "PE.Views.ChartSettings.textAdvanced": "Дадатковыя налады", "PE.Views.ChartSettings.textChartType": "Змяніць тып дыяграмы", "PE.Views.ChartSettings.textEditData": "Рэдагаваць даныя", @@ -1174,7 +1230,7 @@ "PE.Views.DocumentHolder.txtPastePicture": "Малюнак", "PE.Views.DocumentHolder.txtPasteSourceFormat": "Пакінуць зыходнае фарматаванне", "PE.Views.DocumentHolder.txtPressLink": "Націсніце CTRL і пстрыкніце па спасылцы", - "PE.Views.DocumentHolder.txtPreview": "Распачаць слайд-шоў", + "PE.Views.DocumentHolder.txtPreview": "Распачаць слайд-шоу", "PE.Views.DocumentHolder.txtPrintSelection": "Надрукаваць вылучанае", "PE.Views.DocumentHolder.txtRemFractionBar": "Выдаліць рыску дробу", "PE.Views.DocumentHolder.txtRemLimit": "Выдаліць ліміт", @@ -1202,8 +1258,8 @@ "PE.Views.DocumentHolder.vertAlignText": "Вертыкальнае выраўноўванне", "PE.Views.DocumentPreview.goToSlideText": "Перайсці да слайда", "PE.Views.DocumentPreview.slideIndexText": "Слайд {0} з {1}", - "PE.Views.DocumentPreview.txtClose": "Закрыць слайд-шоў", - "PE.Views.DocumentPreview.txtEndSlideshow": "Скончыць слайд-шоў", + "PE.Views.DocumentPreview.txtClose": "Закрыць слайд-шоу", + "PE.Views.DocumentPreview.txtEndSlideshow": "Скончыць слайд-шоу", "PE.Views.DocumentPreview.txtExitFullScreen": "Выйсці з поўнаэкраннага рэжыму", "PE.Views.DocumentPreview.txtFinalMessage": "Прагляд слайдаў завершаны. Пстрыкніце, каб выйсці.", "PE.Views.DocumentPreview.txtFullScreen": "Поўнаэкранны рэжым", @@ -1232,6 +1288,7 @@ "PE.Views.FileMenu.btnSaveCopyAsCaption": "Захаваць копію як…", "PE.Views.FileMenu.btnSettingsCaption": "Дадатковыя налады…", "PE.Views.FileMenu.btnToEditCaption": "Рэдагаваць прэзентацыю", + "PE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Стварыць новы", "PE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Ужыць", "PE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Дадаць аўтара", "PE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Дадаць тэкст", @@ -1316,13 +1373,13 @@ "PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Увага", "PE.Views.HeaderFooterDialog.textDateTime": "Дата і час", "PE.Views.HeaderFooterDialog.textFixed": "Фіксаванае", - "PE.Views.HeaderFooterDialog.textFooter": "Тэкст ніжняга калантытула", + "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.textTitle": "Налады ніжняга калонтытула", "PE.Views.HeaderFooterDialog.textUpdate": "Абнаўляць аўтаматычна", "PE.Views.HyperlinkSettingsDialog.strDisplay": "Паказваць", "PE.Views.HyperlinkSettingsDialog.strLinkTo": "Звязаць з", @@ -1360,6 +1417,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": "Памер", @@ -1479,6 +1537,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": "Абраць выяву", @@ -1626,7 +1685,7 @@ "PE.Views.Statusbar.tipAccessRights": "Кіраванне правамі на доступ да дакумента", "PE.Views.Statusbar.tipFitPage": "Па памерах слайда", "PE.Views.Statusbar.tipFitWidth": "Па шырыні", - "PE.Views.Statusbar.tipPreview": "Распачаць слайд-шоў", + "PE.Views.Statusbar.tipPreview": "Распачаць слайд-шоу", "PE.Views.Statusbar.tipSetLang": "Абраць мову тэксту", "PE.Views.Statusbar.tipZoomFactor": "Маштаб", "PE.Views.Statusbar.tipZoomIn": "Павялічыць", @@ -1747,7 +1806,7 @@ "PE.Views.Toolbar.capBtnAddComment": "Дадаць каментар", "PE.Views.Toolbar.capBtnComment": "Каментар", "PE.Views.Toolbar.capBtnDateTime": "Дата і час", - "PE.Views.Toolbar.capBtnInsHeader": "Ніжні калантытул", + "PE.Views.Toolbar.capBtnInsHeader": "Ніжні калонтытул", "PE.Views.Toolbar.capBtnInsSymbol": "Сімвал", "PE.Views.Toolbar.capBtnSlideNum": "Нумар слайда", "PE.Views.Toolbar.capInsertAudio": "Аўдыё", @@ -1760,7 +1819,7 @@ "PE.Views.Toolbar.capInsertText": "Надпіс", "PE.Views.Toolbar.capInsertVideo": "Відэа", "PE.Views.Toolbar.capTabFile": "Файл", - "PE.Views.Toolbar.capTabHome": "Хатняя", + "PE.Views.Toolbar.capTabHome": "Асноўныя функцыі", "PE.Views.Toolbar.capTabInsert": "Уставіць", "PE.Views.Toolbar.mniCustomTable": "Уставіць адвольную табліцу", "PE.Views.Toolbar.mniImageFromFile": "Выява з файла", @@ -1769,6 +1828,7 @@ "PE.Views.Toolbar.mniSlideAdvanced": "Дадатковыя налады", "PE.Views.Toolbar.mniSlideStandard": "Стандартны (4:3)", "PE.Views.Toolbar.mniSlideWide": "Шырокаэкранны (16:9)", + "PE.Views.Toolbar.strMenuNoFill": "Без заліўкі", "PE.Views.Toolbar.textAlignBottom": "Выраўноўванне тэксту па ніжняму краю", "PE.Views.Toolbar.textAlignCenter": "Тэкст па цэнтры", "PE.Views.Toolbar.textAlignJust": "Выраўноўванне па шырыні", @@ -1781,8 +1841,10 @@ "PE.Views.Toolbar.textArrangeForward": "Перамясціць уперад", "PE.Views.Toolbar.textArrangeFront": "Перанесці на пярэдні план", "PE.Views.Toolbar.textBold": "Тоўсты", + "PE.Views.Toolbar.textColumnsCustom": "Адвольныя слупкі", "PE.Views.Toolbar.textItalic": "Курсіў", "PE.Views.Toolbar.textListSettings": "Налады спіса", + "PE.Views.Toolbar.textRecentlyUsed": "Апошнія выкарыстаныя", "PE.Views.Toolbar.textShapeAlignBottom": "Выраўнаваць па ніжняму краю", "PE.Views.Toolbar.textShapeAlignCenter": "Выраўнаваць па цэнтры", "PE.Views.Toolbar.textShapeAlignLeft": "Выраўнаваць па леваму краю", @@ -1798,8 +1860,8 @@ "PE.Views.Toolbar.textSuperscript": "Надрадковыя", "PE.Views.Toolbar.textTabCollaboration": "Сумесная праца", "PE.Views.Toolbar.textTabFile": "Файл", - "PE.Views.Toolbar.textTabHome": "Хатняя", - "PE.Views.Toolbar.textTabInsert": "Уставіць", + "PE.Views.Toolbar.textTabHome": "Асноўныя функцыі", + "PE.Views.Toolbar.textTabInsert": "Устаўка", "PE.Views.Toolbar.textTabProtect": "Абарона", "PE.Views.Toolbar.textTitleError": "Памылка", "PE.Views.Toolbar.textUnderline": "Падкрэслены", @@ -1809,12 +1871,13 @@ "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.tipEditHeader": "Рэдагаваць ніжні калонтытул", "PE.Views.Toolbar.tipFontColor": "Колер шрыфту", "PE.Views.Toolbar.tipFontName": "Шрыфт", "PE.Views.Toolbar.tipFontSize": "Памер шрыфту", @@ -1836,7 +1899,7 @@ "PE.Views.Toolbar.tipMarkers": "Спіс з адзнакамі", "PE.Views.Toolbar.tipNumbers": "Пранумараваны спіс", "PE.Views.Toolbar.tipPaste": "Уставіць", - "PE.Views.Toolbar.tipPreview": "Распачаць слайд-шоў", + "PE.Views.Toolbar.tipPreview": "Распачаць слайд-шоу", "PE.Views.Toolbar.tipPrint": "Друк", "PE.Views.Toolbar.tipRedo": "Паўтарыць", "PE.Views.Toolbar.tipSave": "Захаваць", @@ -1851,6 +1914,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": "Офіс", @@ -1880,6 +1944,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": "Гадзіннік", @@ -1889,18 +1954,26 @@ "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.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.txtPreview": "Прагляд", + "PE.Views.ViewTab.textFitToSlide": "Па памерах слайда", + "PE.Views.ViewTab.textZoom": "Маштаб" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/ca.json b/apps/presentationeditor/main/locale/ca.json index 2392a1b2d..d3569eaad 100644 --- a/apps/presentationeditor/main/locale/ca.json +++ b/apps/presentationeditor/main/locale/ca.json @@ -76,19 +76,164 @@ "Common.define.effectData.textComplementaryColor2": "Color complementari 2", "Common.define.effectData.textCompress": "Comprimir", "Common.define.effectData.textContrast": "Contrast", + "Common.define.effectData.textContrastingColor": "Color de contrast", + "Common.define.effectData.textCredits": "Crèdits", + "Common.define.effectData.textCrescentMoon": "Lluna creixent", + "Common.define.effectData.textCurveDown": "Corba cap avall", + "Common.define.effectData.textCurvedSquare": "Quadrat corbat", + "Common.define.effectData.textCurvedX": "X corbada", + "Common.define.effectData.textCurvyLeft": "Corbes cap a l'esquerra", + "Common.define.effectData.textCurvyRight": "Corbes cap a la dreta", + "Common.define.effectData.textCurvyStar": "Estel corbat", + "Common.define.effectData.textCustomPath": "Camí personalitzat", + "Common.define.effectData.textCuverUp": "Corba cap amunt", + "Common.define.effectData.textDarken": "Enfosquir", + "Common.define.effectData.textDecayingWave": "Serpentina", + "Common.define.effectData.textDesaturate": "Reduir la saturació", + "Common.define.effectData.textDiagonalDownRight": "Diagonal avall a la dreta", + "Common.define.effectData.textDiagonalUpRight": "Diagonal amunt a la dreta", + "Common.define.effectData.textDiamond": "Diamant", + "Common.define.effectData.textDisappear": "Desaparèixer", + "Common.define.effectData.textDissolveIn": "Dissoldre per aparèixer", + "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.textEqualTriangle": "Triangle equilàter", + "Common.define.effectData.textExciting": "Atrevits", + "Common.define.effectData.textExit": " Efecte de sortida", + "Common.define.effectData.textExpand": "Expandeix", + "Common.define.effectData.textFade": "Esvaïment", + "Common.define.effectData.textFigureFour": "Figura 8 quatre", + "Common.define.effectData.textFillColor": "Color d'emplenament", + "Common.define.effectData.textFlip": "Capgira", + "Common.define.effectData.textFloat": "Flota", + "Common.define.effectData.textFloatDown": "Flota cap avall", + "Common.define.effectData.textFloatIn": "Flota cap a dins", + "Common.define.effectData.textFloatOut": "Flota cap a fora", + "Common.define.effectData.textFloatUp": "Flota cap amunt", + "Common.define.effectData.textFlyIn": "Vola cap a dins", + "Common.define.effectData.textFlyOut": "Vola cap a fora", + "Common.define.effectData.textFontColor": "Color del tipus de lletra", + "Common.define.effectData.textFootball": "Futbol", + "Common.define.effectData.textFromBottom": "Des de baix", + "Common.define.effectData.textFromBottomLeft": "Des de baix a l'esquerra", + "Common.define.effectData.textFromBottomRight": "Des de baix a la dreta", + "Common.define.effectData.textFromLeft": "Des de l'esquerra", + "Common.define.effectData.textFromRight": "Des de la dreta", + "Common.define.effectData.textFromTop": "Des de dalt", + "Common.define.effectData.textFromTopLeft": "Des de dalt a l'esquerra", + "Common.define.effectData.textFromTopRight": "Des de dalt a la dreta", + "Common.define.effectData.textFunnel": "Embut", + "Common.define.effectData.textGrowShrink": "Augmenta/encongeix", + "Common.define.effectData.textGrowTurn": "Augmenta i gira", + "Common.define.effectData.textGrowWithColor": "Augmenta amb color", + "Common.define.effectData.textHeart": "Cor", + "Common.define.effectData.textHeartbeat": "Batec", + "Common.define.effectData.textHexagon": "Hexàgon", + "Common.define.effectData.textHorizontal": "Horitzontal", + "Common.define.effectData.textHorizontalFigure": "Figura 8 horitzontal", + "Common.define.effectData.textHorizontalIn": "Horitzontal entrant", + "Common.define.effectData.textHorizontalOut": "Horitzontal sortint", + "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.textInvertedSquare": "Quadrat invertit", + "Common.define.effectData.textInvertedTriangle": "Triangle invertit", + "Common.define.effectData.textLeft": "Esquerra", "Common.define.effectData.textLeftDown": "Esquerra i avall", "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.textLinesCurves": "Línies i corbes", + "Common.define.effectData.textLoopDeLoop": "Bucle", + "Common.define.effectData.textModerate": "Moderats", + "Common.define.effectData.textNeutron": "Neutró", + "Common.define.effectData.textObjectCenter": "Centre d'objectes", + "Common.define.effectData.textObjectColor": "Color de l'objecte", + "Common.define.effectData.textOctagon": "Octàgon", + "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.textParallelogram": "Paral·lelogram", + "Common.define.effectData.textPath": "Recorregut", + "Common.define.effectData.textPeanut": "Cacauet", + "Common.define.effectData.textPeekIn": "Ullada endins", + "Common.define.effectData.textPeekOut": "Ullada enfora", + "Common.define.effectData.textPentagon": "Pentàgon", + "Common.define.effectData.textPinwheel": "Remolí", + "Common.define.effectData.textPlus": "Més", + "Common.define.effectData.textPointStar": "Estel de punta", "Common.define.effectData.textPointStar4": "Estrella de 4 puntes", "Common.define.effectData.textPointStar5": "Estrella de 5 puntes", "Common.define.effectData.textPointStar6": "Estrella de 6 puntes", "Common.define.effectData.textPointStar8": "Estrella de 8 puntes", + "Common.define.effectData.textPulse": "Batec", + "Common.define.effectData.textRandomBars": "Barres aleatòries", + "Common.define.effectData.textRight": "Dreta", "Common.define.effectData.textRightDown": "Dreta i avall", + "Common.define.effectData.textRightTriangle": "Triangle rectangle", "Common.define.effectData.textRightUp": "Dreta i amunt", + "Common.define.effectData.textRiseUp": "S'aixeca", + "Common.define.effectData.textSCurve1": "Corba S 1", + "Common.define.effectData.textSCurve2": "Corba S 2", + "Common.define.effectData.textShape": "Forma", + "Common.define.effectData.textShimmer": "Resplendir", + "Common.define.effectData.textShrinkTurn": "Encongir i girar", + "Common.define.effectData.textSineWave": "Corba sinusoide", + "Common.define.effectData.textSinkDown": "Enfonsar", + "Common.define.effectData.textSlideCenter": "Centre de la diapositiva", + "Common.define.effectData.textSpecial": "Especial", + "Common.define.effectData.textSpin": "Gira", + "Common.define.effectData.textSpinner": "Control de gir", + "Common.define.effectData.textSpiralIn": "Espiral cap endins", + "Common.define.effectData.textSpiralLeft": "Espiral cap a l'esquerra", + "Common.define.effectData.textSpiralOut": "Espiral cap enfora", + "Common.define.effectData.textSpiralRight": "Espiral cap a la dreta", + "Common.define.effectData.textSplit": "Divideix", "Common.define.effectData.textSpoke1": "1 radi", "Common.define.effectData.textSpoke2": "2 radis", "Common.define.effectData.textSpoke3": "3 radis", "Common.define.effectData.textSpoke4": "4 radis", "Common.define.effectData.textSpoke8": "8 radis", + "Common.define.effectData.textSpring": "Molla", + "Common.define.effectData.textSquare": "Quadrat", + "Common.define.effectData.textStairsDown": "Escales descendents", + "Common.define.effectData.textStretch": "Estirament", + "Common.define.effectData.textStrips": "Tires", + "Common.define.effectData.textSubtle": "Subtils", + "Common.define.effectData.textSwivel": "Gir", + "Common.define.effectData.textSwoosh": "Xiulet", + "Common.define.effectData.textTeardrop": "Llàgrima", + "Common.define.effectData.textTeeter": "Trontollar", + "Common.define.effectData.textToBottom": "Cap a baix", + "Common.define.effectData.textToBottomLeft": "Cap a baix a l'esquerra", + "Common.define.effectData.textToBottomRight": "Cap a baix a la dreta", + "Common.define.effectData.textToLeft": "Cap a la dreta", + "Common.define.effectData.textToRight": "Cap a la dreta", + "Common.define.effectData.textToTop": "Cap a dalt", + "Common.define.effectData.textToTopLeft": "Cap a dalt a l'esquerra", + "Common.define.effectData.textToTopRight": "Cap a dalt a la dreta", + "Common.define.effectData.textTransparency": "Transparència", + "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.textTurnUp": "Girar cap amunt", + "Common.define.effectData.textTurnUpRight": "Girar cap a la dreta i amunt", + "Common.define.effectData.textUnderline": "Subratlla", + "Common.define.effectData.textUp": "Amunt", + "Common.define.effectData.textVertical": "Vertical", + "Common.define.effectData.textVerticalFigure": "Figura 8 vertical", + "Common.define.effectData.textVerticalIn": "Vertical entrant", + "Common.define.effectData.textVerticalOut": "Vertical sortint", + "Common.define.effectData.textWave": "Ona", + "Common.define.effectData.textWedge": "Falca", + "Common.define.effectData.textWheel": "Rodar", + "Common.define.effectData.textWhip": "Agitar", + "Common.define.effectData.textWipe": "Elimina", + "Common.define.effectData.textZigzag": "Zig-zag", + "Common.define.effectData.textZoom": "Zoom", "Common.Translation.warnFileLocked": "El document és obert en una altra aplicació. Podeu continuar editant i guardar-lo com a còpia.", "Common.Translation.warnFileLockedBtnEdit": "Crea una còpia", "Common.Translation.warnFileLockedBtnView": "Obre per a la seva visualització", @@ -99,10 +244,12 @@ "Common.UI.ComboDataView.emptyComboText": "Sense estils", "Common.UI.ExtendedColorDialog.addButtonText": "Afegir", "Common.UI.ExtendedColorDialog.textCurrent": "Actual", - "Common.UI.ExtendedColorDialog.textHexErr": "El valor introduït no és correcte.
Introduïu un valor entre 000000 i FFFFFF.", + "Common.UI.ExtendedColorDialog.textHexErr": "El valor introduït no és correcte.
Introduïu un valor entre 000000 i FFFFFF.", "Common.UI.ExtendedColorDialog.textNew": "Crea", "Common.UI.ExtendedColorDialog.textRGBErr": "El valor introduït no és correcte.
Introduïu un valor numèric entre 0 i 255.", "Common.UI.HSBColorPicker.textNoColor": "Sense color", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Amaga la contrasenya", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostra la contrasenya", "Common.UI.SearchDialog.textHighlight": "Ressalta els resultats", "Common.UI.SearchDialog.textMatchCase": "Sensible a majúscules i minúscules", "Common.UI.SearchDialog.textReplaceDef": "Introdueix el text de substitució", @@ -172,6 +319,7 @@ "Common.Views.Comments.mniAuthorDesc": "Autor de la Z a la A", "Common.Views.Comments.mniDateAsc": "Més antic", "Common.Views.Comments.mniDateDesc": "Més recent", + "Common.Views.Comments.mniFilterGroups": "Filtra per grup", "Common.Views.Comments.mniPositionAsc": "Des de dalt", "Common.Views.Comments.mniPositionDesc": "Des de baix", "Common.Views.Comments.textAdd": "Afegir", @@ -192,6 +340,7 @@ "Common.Views.Comments.textResolve": "Resol", "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.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 ", @@ -224,7 +373,7 @@ "Common.Views.Header.tipRedo": "Refés", "Common.Views.Header.tipSave": "Desa", "Common.Views.Header.tipUndo": "Desfés", - "Common.Views.Header.tipUndock": "Desacoblar en una finestra independent", + "Common.Views.Header.tipUndock": "Desacobla en una finestra independent", "Common.Views.Header.tipViewSettings": "Mostra la configuració", "Common.Views.Header.tipViewUsers": "Mostra els usuaris i gestiona els drets d’accés als documents", "Common.Views.Header.txtAccessRights": "Canvia els drets d’accés", @@ -239,7 +388,7 @@ "Common.Views.ImageFromUrlDialog.textUrl": "Enganxar una URL d'imatge:", "Common.Views.ImageFromUrlDialog.txtEmpty": "Aquest camp és necessari", "Common.Views.ImageFromUrlDialog.txtNotUrl": "Aquest camp hauria de ser un enllaç amb el format \"http://www.example.com\"", - "Common.Views.InsertTableDialog.textInvalidRowsCols": "Cal especificar el número de files i columnes vàlids.", + "Common.Views.InsertTableDialog.textInvalidRowsCols": "Cal especificar un número de files i columnes vàlids.", "Common.Views.InsertTableDialog.txtColumns": "Número de columnes", "Common.Views.InsertTableDialog.txtMaxText": "El valor màxim per a aquest camp és {0}.", "Common.Views.InsertTableDialog.txtMinText": "El valor mínim per aquest camp és {0}.", @@ -256,7 +405,7 @@ "Common.Views.ListSettingsDialog.txtNone": "Cap", "Common.Views.ListSettingsDialog.txtOfText": "% del text", "Common.Views.ListSettingsDialog.txtSize": "Mida", - "Common.Views.ListSettingsDialog.txtStart": "Comença a", + "Common.Views.ListSettingsDialog.txtStart": "Inicia a", "Common.Views.ListSettingsDialog.txtSymbol": "Símbol", "Common.Views.ListSettingsDialog.txtTitle": "Configuració de la llista", "Common.Views.ListSettingsDialog.txtType": "Tipus", @@ -278,7 +427,7 @@ "Common.Views.Plugins.groupCaption": "Complements", "Common.Views.Plugins.strPlugins": "Complements", "Common.Views.Plugins.textLoading": "S'està carregant", - "Common.Views.Plugins.textStart": "Comença", + "Common.Views.Plugins.textStart": "Inici", "Common.Views.Plugins.textStop": "Atura", "Common.Views.Protection.hintAddPwd": "Xifra amb contrasenya", "Common.Views.Protection.hintPwd": "Canvia o suprimeix la contrasenya", @@ -297,7 +446,7 @@ "Common.Views.ReviewChanges.strFast": "Ràpid", "Common.Views.ReviewChanges.strFastDesc": "Coedició en temps real. Tots els canvis s'han desat automàticament.", "Common.Views.ReviewChanges.strStrict": "Estricte", - "Common.Views.ReviewChanges.strStrictDesc": "Fes servir el botó \"Desar\" per sincronitzar els canvis tu i els altres feu.", + "Common.Views.ReviewChanges.strStrictDesc": "Feu servir el botó \"Desar\" per sincronitzar els canvis que feu tots.", "Common.Views.ReviewChanges.tipAcceptCurrent": "Accepta el canvi actual", "Common.Views.ReviewChanges.tipCoAuthMode": "Estableix el mode de coedició", "Common.Views.ReviewChanges.tipCommentRem": "Suprimeix els comentaris", @@ -356,6 +505,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Torna-ho a obrir", "Common.Views.ReviewPopover.textReply": "Respon", "Common.Views.ReviewPopover.textResolve": "Resol", + "Common.Views.ReviewPopover.textViewResolved": "No teniu permís per tornar a obrir el comentari", "Common.Views.ReviewPopover.txtDeleteTip": "Suprimeix", "Common.Views.ReviewPopover.txtEditTip": "Edita", "Common.Views.SaveAsDlg.textLoading": "S'està carregant", @@ -433,7 +583,7 @@ "PE.Controllers.Main.downloadErrorText": "S'ha produït un error en la baixada", "PE.Controllers.Main.downloadTextText": "S'està baixant la presentació...", "PE.Controllers.Main.downloadTitleText": "S'està baixant la presentació", - "PE.Controllers.Main.errorAccessDeny": "No teniu permisos per realitzar aquesta acció.
Contacteu amb el vostre administrador del servidor de documents.", + "PE.Controllers.Main.errorAccessDeny": "No teniu permisos per realitzar aquesta acció.
Contacteu amb l'administrador del servidor de documents.", "PE.Controllers.Main.errorBadImageUrl": "L'URL de la imatge no és correcta", "PE.Controllers.Main.errorCoAuthoringDisconnect": "S'ha perdut la connexió amb el servidor. Ara no es pot editar el document.", "PE.Controllers.Main.errorComboSeries": "Per crear un diagrama combinat, seleccioneu com a mínim dues sèries de dades.", @@ -446,7 +596,7 @@ "PE.Controllers.Main.errorEditingSaveas": "S'ha produït un error mentre es treballava amb el document.
Utilitzeu l'opció \"Desar com a ...\" per desar la còpia de seguretat del fitxer al disc dur de l’ordinador.", "PE.Controllers.Main.errorEmailClient": "No s'ha trobat cap client de correu electrònic", "PE.Controllers.Main.errorFilePassProtect": "El fitxer està protegit amb contrasenya i no es pot obrir.", - "PE.Controllers.Main.errorFileSizeExceed": "La mida del fitxer supera el límit establert pel vostre servidor. Contacteu amb el vostre administrador del servidor de documents per obtenir més informació.", + "PE.Controllers.Main.errorFileSizeExceed": "La mida del fitxer excedeix la limitació establerta per al vostre servidor. Podeu contactar amb l'administrador del Document Server per obtenir més detalls.", "PE.Controllers.Main.errorForceSave": "S'ha produït un error en desar el fitxer. Utilitzeu l'opció \"Baixa-ho com a\" per desar el fitxer al disc dur de l’ordinador o torneu-ho a provar més endavant.", "PE.Controllers.Main.errorKeyEncrypt": "Descriptor de claus desconegut", "PE.Controllers.Main.errorKeyExpire": "El descriptor de claus ha caducat", @@ -462,10 +612,10 @@ "PE.Controllers.Main.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacteu amb el vostre administrador del servidor de documents.", "PE.Controllers.Main.errorUpdateVersion": "S'ha canviat la versió del fitxer. La pàgina es tornarà a carregar.", "PE.Controllers.Main.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.", - "PE.Controllers.Main.errorUserDrop": "Ara mateix no es pot accedir al fitxer.", + "PE.Controllers.Main.errorUserDrop": "No es pot accedir al fitxer.", "PE.Controllers.Main.errorUsersExceed": "S'ha superat el nombre d’usuaris que permet el vostre pla", "PE.Controllers.Main.errorViewerDisconnect": "S'ha perdut la connexió. Encara pots visualitzar el document,
però no el podràs baixar ni imprimir fins que no es restableixi la connexió i es torni a carregar la pàgina.", - "PE.Controllers.Main.leavePageText": "Teniu canvis no desats en aquesta presentació. Cliqueu a \"Continua en aquesta pàgina\" i, a continuació, a \"Desa\" per desar-los. Cliequeu a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", + "PE.Controllers.Main.leavePageText": "Teniu canvis no desats en aquesta presentació. Cliqueu a \"Continua en aquesta pàgina\" i, a continuació, a \"Desa\" per desar-los. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", "PE.Controllers.Main.leavePageTextOnClose": "Es perdran tots els canvis d'aquesta presentació que no s'hagin desat.
Cliqueu a «Cancel·la» i després a «Desa» per desar-los. Cliqueu a \"D'acord\" per descartar tots els canvis no desats.", "PE.Controllers.Main.loadFontsTextText": "S'estant carregant les dades...", "PE.Controllers.Main.loadFontsTitleText": "S'estan carregant les dades", @@ -489,7 +639,7 @@ "PE.Controllers.Main.requestEditFailedMessageText": "Algú altre edita ara la presentació. Intenta-ho més tard.", "PE.Controllers.Main.requestEditFailedTitleText": "Accés denegat", "PE.Controllers.Main.saveErrorText": "S'ha produït un error en desar el fitxer.", - "PE.Controllers.Main.saveErrorTextDesktop": "Aquest fitxer no es pot desar o crear.
Les possibles raons són:
1. El fitxer és només de lectura.
2. El fitxer és en aquests moments obert per altres usuaris.
3. El disc és ple o s'ha fet malbé.", + "PE.Controllers.Main.saveErrorTextDesktop": "Aquest fitxer no es pot desar o crear.
Les possibles raons són:
1. El fitxer és només de lectura.
2. El fitxer és en aquests moments obert per altres usuaris.
3. El disc és ple o s'ha fet malbé.", "PE.Controllers.Main.saveTextText": "S'està desant la presentació...", "PE.Controllers.Main.saveTitleText": "S'està desant la presentació", "PE.Controllers.Main.scriptLoadError": "La connexió és massa lenta, alguns dels components no s’han pogut carregar. Torneu a carregar la pàgina.", @@ -498,16 +648,16 @@ "PE.Controllers.Main.splitMaxRowsErrorText": "El nombre de files ha de ser inferior a %1.", "PE.Controllers.Main.textAnonymous": "Anònim", "PE.Controllers.Main.textApplyAll": "Aplica-ho a totes les equacions", - "PE.Controllers.Main.textBuyNow": "Visita el lloc web", + "PE.Controllers.Main.textBuyNow": "Visiteu el lloc web", "PE.Controllers.Main.textChangesSaved": "S'han desat tots els canvis", "PE.Controllers.Main.textClose": "Tanca", "PE.Controllers.Main.textCloseTip": "Cliqueu per tancar el consell", "PE.Controllers.Main.textContactUs": "Contacta amb vendes", - "PE.Controllers.Main.textConvertEquation": "Aquesta equació es va crear amb una versió antiga de l'editor d'equacions que ja no és compatible. Per editar-la, converteixi l’equació al format d’Office Math ML.
Convertir ara?", + "PE.Controllers.Main.textConvertEquation": "Aquesta equació es va crear amb una versió antiga de l'editor d'equacions que ja no és compatible. Per editar-la, convertiu l’equació al format d’Office Math ML.
La voleu convertir?", "PE.Controllers.Main.textCustomLoader": "Tingueu en compte que, segons els termes de la llicència, no teniu dret a canviar el carregador.
Contacteu amb el nostre departament de vendes per obtenir un pressupost.", "PE.Controllers.Main.textDisconnect": "S'ha perdut la connexió", "PE.Controllers.Main.textGuest": "Convidat", - "PE.Controllers.Main.textHasMacros": "El fitxer conté macros automàtiques.
Les vols executar?", + "PE.Controllers.Main.textHasMacros": "El fitxer conté macros automàtiques.
Les voleu executar?", "PE.Controllers.Main.textLearnMore": "Més informació", "PE.Controllers.Main.textLoadingDocument": "S'està carregant la presentació", "PE.Controllers.Main.textLongName": "Introdueix un nom que tingui menys de 128 caràcters.", @@ -519,7 +669,7 @@ "PE.Controllers.Main.textRenameLabel": "Introdueix un nom que s'utilitzarà per a la col·laboració", "PE.Controllers.Main.textShape": "Forma", "PE.Controllers.Main.textStrict": "Mode estricte", - "PE.Controllers.Main.textTryUndoRedo": "S'han desactivat les funcions desfés/refés per al mode de coedició ràpida. Cliqueu al botó \"Mode estricte\" per canviar al mode de coedició estricte i editar el fitxer sense que hi hagi interferències d'altres usuaris i enviar els vostres canvis un cop els hagueu desat. Podeu canviar entre els modes de coedició mitjançant l'editor \"Paràmetres avançats\".", + "PE.Controllers.Main.textTryUndoRedo": "Les funcions Desfés / Rehabiliteu estan desactivades per al mode de coedició ràpida. Feu clic al botó \"Mode estricte\" per canviar al mode de coedició estricte per editar el fitxer sense que hi hagi interferències d'altres usuaris i enviar els canvis només després de desar-los ells. Podeu canviar entre els modes de coedició mitjançant l'editor Paràmetres avançats.", "PE.Controllers.Main.textTryUndoRedoWarn": "S'han desactivat les funcions desfés/refés per al mode de coedició ràpida.", "PE.Controllers.Main.titleLicenseExp": "La llicència ha caducat", "PE.Controllers.Main.titleServerVersion": "S'ha actualitzat l'editor", @@ -544,7 +694,7 @@ "PE.Controllers.Main.txtLoading": "S'està carregant...", "PE.Controllers.Main.txtMath": "Matemàtiques", "PE.Controllers.Main.txtMedia": "Multimèdia", - "PE.Controllers.Main.txtNeedSynchronize": "Tens actualitzacions", + "PE.Controllers.Main.txtNeedSynchronize": "Teniu actualitzacions", "PE.Controllers.Main.txtNone": "Cap", "PE.Controllers.Main.txtPicture": "Imatge", "PE.Controllers.Main.txtRectangles": "Rectangles", @@ -787,21 +937,21 @@ "PE.Controllers.Main.waitText": "Espereu...", "PE.Controllers.Main.warnBrowserIE9": "L’aplicació té poca capacitat en IE9. Utilitzeu IE10 o superior", "PE.Controllers.Main.warnBrowserZoom": "La configuració de zoom actual del navegador no és compatible del tot. Restabliu el zoom per defecte tot prement Ctrl+0.", - "PE.Controllers.Main.warnLicenseExceeded": "Heu arribat al límit de connexions simultànies amb %1 editors. Aquest document només s'obrirà en mode lectura.
Contacteu amb el vostre administrador per obtenir més informació.", - "PE.Controllers.Main.warnLicenseExp": "La vostra llicència ha caducat.
Actualitzeu la llicència i recarregueu la pàgina.", + "PE.Controllers.Main.warnLicenseExceeded": "Heu arribat al límit de connexions simultànies amb %1 editors. Aquest document només s'obrirà en mode lectura.
Contacteu amb l'administrador per obtenir més informació.", + "PE.Controllers.Main.warnLicenseExp": "La vostra llicència ha caducat.
Actualitzeu la llicència i recarregueu la pàgina.", "PE.Controllers.Main.warnLicenseLimitedNoAccess": "La llicència ha caducat.
No teniu accés a la funció d'edició de documents.
Contacteu amb el vostre administrador.", "PE.Controllers.Main.warnLicenseLimitedRenewed": "Cal renovar la llicència.
Tens un accés limitat a la funció d'edició de documents.
Contacta amb el teu administrador per obtenir accés total", - "PE.Controllers.Main.warnLicenseUsersExceeded": "Heu arribat al límit d'usuari per a %1 editors. Contacteu amb el vostre administrador per a més informació.", + "PE.Controllers.Main.warnLicenseUsersExceeded": "Heu arribat al límit d'usuari per a %1 editors. Contacteu amb l'administrador per a més informació.", "PE.Controllers.Main.warnNoLicense": "Heu arribat al límit de connexions simultànies per als editors %1. Aquest document s'obrirà al mode de només lectura. Contacteu l'equip de vendes %1 per a les condicions personals de millora del servei.", "PE.Controllers.Main.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.", - "PE.Controllers.Main.warnProcessRightsChange": "No tens permís per editar el fitxer.", + "PE.Controllers.Main.warnProcessRightsChange": "No teniu permís per editar el fitxer.", "PE.Controllers.Statusbar.textDisconnect": "S'ha perdut la connexió. S'està intentat connectar. Comproveu la configuració de connexió", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%", - "PE.Controllers.Toolbar.confirmAddFontName": "El tipus de lletra que desareu no està disponible al dispositiu actual.
L'estil de text es mostrarà amb un dels tipus de lletra del sistema, el tipus de lletra desat s'utilitzarà quan estigui disponible.
Voleu continuar ?", + "PE.Controllers.Toolbar.confirmAddFontName": "El tipus de lletra que desareu no està disponible al dispositiu actual.
L'estil de text es mostrarà amb un dels tipus de lletra del sistema, el tipus de lletra desat s'utilitzarà quan estigui disponible.
Voleu continuar ?", "PE.Controllers.Toolbar.textAccent": "Accents", "PE.Controllers.Toolbar.textBracket": "Claudàtors", "PE.Controllers.Toolbar.textEmptyImgUrl": "Cal especificar l'URL de la imatge.", - "PE.Controllers.Toolbar.textFontSizeErr": "El valor introduït no és correcte.
Introduïu un valor numèric entre 1 i 300.", + "PE.Controllers.Toolbar.textFontSizeErr": "El valor introduït no és correcte.
Introduïu un valor numèric entre 1 i 300.", "PE.Controllers.Toolbar.textFraction": "Fraccions", "PE.Controllers.Toolbar.textFunction": "Funcions", "PE.Controllers.Toolbar.textInsert": "Insereix", @@ -824,7 +974,7 @@ "PE.Controllers.Toolbar.txtAccent_BorderBox": "Fórmula emmarcada (amb contenidor)", "PE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "Fórmula emmarcada (exemple)", "PE.Controllers.Toolbar.txtAccent_Check": "Verifica", - "PE.Controllers.Toolbar.txtAccent_CurveBracketBot": "Clau Subjacent", + "PE.Controllers.Toolbar.txtAccent_CurveBracketBot": "Clau subjacent", "PE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Clau superposada", "PE.Controllers.Toolbar.txtAccent_Custom_1": "Vector A", "PE.Controllers.Toolbar.txtAccent_Custom_2": "ABC amb la barra a dalt", @@ -1128,13 +1278,33 @@ "PE.Controllers.Toolbar.txtSymbol_varsigma": "Variant sigma", "PE.Controllers.Toolbar.txtSymbol_vartheta": "Variant zeta", "PE.Controllers.Toolbar.txtSymbol_vdots": "El·lipsi vertical", - "PE.Controllers.Toolbar.txtSymbol_xsi": "Xi", + "PE.Controllers.Toolbar.txtSymbol_xsi": "Ksi", "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.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.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.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.txtAddEffect": "Afegeix una animació", "PE.Views.Animation.txtAnimationPane": "Subfinestra d'animacions", + "PE.Views.Animation.txtParameters": "Paràmetres", + "PE.Views.Animation.txtPreview": "Visualització prèvia", + "PE.Views.Animation.txtSec": "S", + "PE.Views.AnimationDialog.textPreviewEffect": "Visualització prèvia de l'efecte", + "PE.Views.AnimationDialog.textTitle": "Més efectes", "PE.Views.ChartSettings.textAdvanced": "Mostra la configuració avançada", "PE.Views.ChartSettings.textChartType": "Canvia el tipus de gràfic", "PE.Views.ChartSettings.textEditData": "Edita les dades", @@ -1214,6 +1384,7 @@ "PE.Views.DocumentHolder.textCut": "Talla", "PE.Views.DocumentHolder.textDistributeCols": "Distribueix les columnes", "PE.Views.DocumentHolder.textDistributeRows": "Distribueix les files", + "PE.Views.DocumentHolder.textEditPoints": "Edita els punts", "PE.Views.DocumentHolder.textFlipH": "Capgira horitzontalment", "PE.Views.DocumentHolder.textFlipV": "Capgira verticalment", "PE.Views.DocumentHolder.textFromFile": "Des d'un fitxer", @@ -1234,7 +1405,7 @@ "PE.Views.DocumentHolder.textShapeAlignTop": "Alineació a dalt", "PE.Views.DocumentHolder.textSlideSettings": "Configuració de la diapositiva", "PE.Views.DocumentHolder.textUndo": "Desfés", - "PE.Views.DocumentHolder.tipIsLocked": "Un altre usuari té obert ara aquest element.", + "PE.Views.DocumentHolder.tipIsLocked": "Un altre usuari té obert aquest element.", "PE.Views.DocumentHolder.toDictionaryText": "Afegeix al diccionari", "PE.Views.DocumentHolder.txtAddBottom": "Afegeix línia inferior", "PE.Views.DocumentHolder.txtAddFractionBar": "Afegeix una barra de fracció", @@ -1298,6 +1469,8 @@ "PE.Views.DocumentHolder.txtLimitUnder": "Límit sota el text", "PE.Views.DocumentHolder.txtMatchBrackets": "Assigna els claudàtors a l'alçada de l'argument", "PE.Views.DocumentHolder.txtMatrixAlign": "Alineació de la matriu", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "Desplaça la diapositiva al final", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "Desplaça la diapositiva a l'inici", "PE.Views.DocumentHolder.txtNewSlide": "Crea una diapositiva", "PE.Views.DocumentHolder.txtOverbar": "Barra sobre el text", "PE.Views.DocumentHolder.txtPasteDestFormat": "Fes servir el tema de destinació", @@ -1401,7 +1574,7 @@ "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": "Hauràs d’acceptar els canvis abans de poder-los veure", + "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", @@ -1448,7 +1621,7 @@ "PE.Views.FileMenuPanels.Settings.txtWin": "com a Windows", "PE.Views.HeaderFooterDialog.applyAllText": "Aplica-ho a tot", "PE.Views.HeaderFooterDialog.applyText": "Aplica", - "PE.Views.HeaderFooterDialog.diffLanguage": "No podeu utilitzar un format de data en un idioma diferent del patró de diapositives.
Per canviar el patró, cliqueu a \"Aplica a tots\" en comptes de \"Aplica\".", + "PE.Views.HeaderFooterDialog.diffLanguage": "No podeu utilitzar un format de data en un idioma diferent del patró de diapositives.
Per canviar el patró, feu clic a \"Aplica a tots\" en comptes de \"Aplica\".", "PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Avis", "PE.Views.HeaderFooterDialog.textDateTime": "Hora i data", "PE.Views.HeaderFooterDialog.textFixed": "Fixat", @@ -1483,6 +1656,7 @@ "PE.Views.ImageSettings.textCrop": "Retallar", "PE.Views.ImageSettings.textCropFill": "Emplena", "PE.Views.ImageSettings.textCropFit": "Ajusta", + "PE.Views.ImageSettings.textCropToShape": "Escapça per donar forma", "PE.Views.ImageSettings.textEdit": "Edita", "PE.Views.ImageSettings.textEditObject": "Edita l'objecte", "PE.Views.ImageSettings.textFitSlide": "Ajusta a la diapositiva", @@ -1497,6 +1671,7 @@ "PE.Views.ImageSettings.textHintFlipV": "Capgira verticalment", "PE.Views.ImageSettings.textInsert": "Substitueix la imatge", "PE.Views.ImageSettings.textOriginalSize": "Mida real", + "PE.Views.ImageSettings.textRecentlyUsed": "S'ha utilitzat recentment", "PE.Views.ImageSettings.textRotate90": "Girar 90°", "PE.Views.ImageSettings.textRotation": "Rotació", "PE.Views.ImageSettings.textSize": "Mida", @@ -1598,7 +1773,7 @@ "PE.Views.ShapeSettings.strType": "Tipus", "PE.Views.ShapeSettings.textAdvanced": "Mostra la configuració avançada", "PE.Views.ShapeSettings.textAngle": "Angle", - "PE.Views.ShapeSettings.textBorderSizeErr": "El valor introduït no és correcte.
Introduïu un valor entre 0 pt i 1584 pt.", + "PE.Views.ShapeSettings.textBorderSizeErr": "El valor introduït no és correcte.
Introduïu un valor entre 0 pt i 1584 pt.", "PE.Views.ShapeSettings.textColor": "Color d'emplenament", "PE.Views.ShapeSettings.textDirection": "Direcció", "PE.Views.ShapeSettings.textEmptyPattern": "Sense patró", @@ -1618,6 +1793,7 @@ "PE.Views.ShapeSettings.textPatternFill": "Patró", "PE.Views.ShapeSettings.textPosition": "Posició", "PE.Views.ShapeSettings.textRadial": "Radial", + "PE.Views.ShapeSettings.textRecentlyUsed": "S'ha utilitzat recentment", "PE.Views.ShapeSettings.textRotate90": "Girar 90°", "PE.Views.ShapeSettings.textRotation": "Rotació", "PE.Views.ShapeSettings.textSelectImage": "Selecciona la imatge", @@ -1849,7 +2025,7 @@ "PE.Views.TextArtSettings.strTransparency": "Opacitat", "PE.Views.TextArtSettings.strType": "Tipus", "PE.Views.TextArtSettings.textAngle": "Angle", - "PE.Views.TextArtSettings.textBorderSizeErr": "El valor introduït no és correcte.
Introduïu un valor entre 0 pt i 1584 pt.", + "PE.Views.TextArtSettings.textBorderSizeErr": "El valor introduït no és correcte.
Introduïu un valor entre 0 pt i 1584 pt.", "PE.Views.TextArtSettings.textColor": "Color d'emplenament", "PE.Views.TextArtSettings.textDirection": "Direcció", "PE.Views.TextArtSettings.textEmptyPattern": "Sense patró", @@ -1934,6 +2110,7 @@ "PE.Views.Toolbar.textColumnsTwo": "Dues columnes", "PE.Views.Toolbar.textItalic": "Cursiva", "PE.Views.Toolbar.textListSettings": "Configuració de la llista", + "PE.Views.Toolbar.textRecentlyUsed": "S'ha utilitzat recentment", "PE.Views.Toolbar.textShapeAlignBottom": "Alineació a baix", "PE.Views.Toolbar.textShapeAlignCenter": "Alineació al centre", "PE.Views.Toolbar.textShapeAlignLeft": "Alineació a l'esquerra", @@ -1954,6 +2131,7 @@ "PE.Views.Toolbar.textTabInsert": "Insereix", "PE.Views.Toolbar.textTabProtect": "Protecció", "PE.Views.Toolbar.textTabTransitions": "Transicions", + "PE.Views.Toolbar.textTabView": "Visualització", "PE.Views.Toolbar.textTitleError": "Error", "PE.Views.Toolbar.textUnderline": "Subratllat", "PE.Views.Toolbar.tipAddSlide": "Afegeix una diapositiva", @@ -2007,6 +2185,7 @@ "PE.Views.Toolbar.tipViewSettings": "Mostra la configuració", "PE.Views.Toolbar.txtDistribHor": "Distribueix horitzontalment", "PE.Views.Toolbar.txtDistribVert": "Distribueix verticalment", + "PE.Views.Toolbar.txtDuplicateSlide": "Duplica la diapositiva", "PE.Views.Toolbar.txtGroup": "Agrupa", "PE.Views.Toolbar.txtObjectsAlign": "Alineació dels objectes seleccionats", "PE.Views.Toolbar.txtScheme1": "Office", @@ -2035,7 +2214,7 @@ "PE.Views.Toolbar.txtUngroup": "Desagrupa", "PE.Views.Transitions.strDelay": "Retard", "PE.Views.Transitions.strDuration": "Durada", - "PE.Views.Transitions.strStartOnClick": "Inicia clicant", + "PE.Views.Transitions.strStartOnClick": "Inicia fent clic", "PE.Views.Transitions.textBlack": "En negre", "PE.Views.Transitions.textBottom": "Part inferior", "PE.Views.Transitions.textBottomLeft": "Part inferior-Esquerra", @@ -2069,5 +2248,12 @@ "PE.Views.Transitions.txtParameters": "Paràmetres", "PE.Views.Transitions.txtPreview": "Visualització prèvia", "PE.Views.Transitions.txtSec": "S", - "PE.Views.ViewTab.textAlwaysShowToolbar": "Mostra sempre la barra" + "PE.Views.ViewTab.textAlwaysShowToolbar": "Mostra sempre la barra", + "PE.Views.ViewTab.textFitToSlide": "Ajusta a la diapositiva", + "PE.Views.ViewTab.textFitToWidth": "Ajusta-ho a l'amplària", + "PE.Views.ViewTab.textInterfaceTheme": "Tema de la interfície", + "PE.Views.ViewTab.textNotes": "Notes", + "PE.Views.ViewTab.textRulers": "Regles", + "PE.Views.ViewTab.textStatusBar": "Barra d'estat", + "PE.Views.ViewTab.textZoom": "Zoom" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/cs.json b/apps/presentationeditor/main/locale/cs.json index bc78dbc39..67d9dbeb7 100644 --- a/apps/presentationeditor/main/locale/cs.json +++ b/apps/presentationeditor/main/locale/cs.json @@ -47,6 +47,193 @@ "Common.define.chartData.textScatterSmoothMarker": "Bodový s vyhlazenými spojnicemi a značkami", "Common.define.chartData.textStock": "Burzovní graf", "Common.define.chartData.textSurface": "Povrch", + "Common.define.effectData.textAcross": "Napříč", + "Common.define.effectData.textAppear": "Celé najednou", + "Common.define.effectData.textArcDown": "Oblouk dole", + "Common.define.effectData.textArcLeft": "Oblouk vlevo", + "Common.define.effectData.textArcRight": "Oblouk vpravo", + "Common.define.effectData.textArcUp": "Oblouk nahoře", + "Common.define.effectData.textBasic": "Základní", + "Common.define.effectData.textBasicSwivel": "Základní otočný", + "Common.define.effectData.textBasicZoom": "Základní přiblížení", + "Common.define.effectData.textBean": "Fazole", + "Common.define.effectData.textBlinds": "Žaluzie", + "Common.define.effectData.textBlink": "Mrknutí", + "Common.define.effectData.textBoldFlash": "Záblesk tučně", + "Common.define.effectData.textBoldReveal": "Zobrazení tučně", + "Common.define.effectData.textBoomerang": "Bumerang", + "Common.define.effectData.textBounce": "Odraz", + "Common.define.effectData.textBounceLeft": "Odraz vlevo", + "Common.define.effectData.textBounceRight": "Odraz vpravo", + "Common.define.effectData.textBox": "Schránka", + "Common.define.effectData.textBrushColor": "Přebarvení", + "Common.define.effectData.textCenterRevolve": "Rotace kolem středu", + "Common.define.effectData.textCheckerboard": "Šachovnice", + "Common.define.effectData.textCircle": "Kruh", + "Common.define.effectData.textCollapse": "Sbalit", + "Common.define.effectData.textColorPulse": "Barevný pulz", + "Common.define.effectData.textComplementaryColor": "Doplňková barva", + "Common.define.effectData.textComplementaryColor2": "Doplňková barva 2", + "Common.define.effectData.textCompress": "Komprimovat", + "Common.define.effectData.textContrast": "Kontrast", + "Common.define.effectData.textContrastingColor": "Kontrastující barva", + "Common.define.effectData.textCredits": "Poděkování", + "Common.define.effectData.textCrescentMoon": "Srpek měsíce", + "Common.define.effectData.textCurveDown": "Křivka dolů", + "Common.define.effectData.textCurvedSquare": "Zaoblený čtverec", + "Common.define.effectData.textCurvedX": "Zakřivené X", + "Common.define.effectData.textCurvyLeft": "Vývrtka doleva", + "Common.define.effectData.textCurvyRight": "Vývrtka doprava", + "Common.define.effectData.textCurvyStar": "Zakřivená hvězda", + "Common.define.effectData.textCustomPath": "Uživatelsky určená cesta", + "Common.define.effectData.textCuverUp": "Křivka nahoru", + "Common.define.effectData.textDarken": "Tmavnutí", + "Common.define.effectData.textDecayingWave": "Rozpadající se vlna", + "Common.define.effectData.textDesaturate": "Do černobílé", + "Common.define.effectData.textDiagonalDownRight": "Diagonálně vpravo dolů", + "Common.define.effectData.textDiagonalUpRight": "Diagonálně vpravo nahoru", + "Common.define.effectData.textDiamond": "Kosodélník", + "Common.define.effectData.textDisappear": "Prolnutí", + "Common.define.effectData.textDissolveIn": "Rozpustit dovnitř", + "Common.define.effectData.textDissolveOut": "Rozpustit vně", + "Common.define.effectData.textDown": "Dolů", + "Common.define.effectData.textDrop": "Zahodit", + "Common.define.effectData.textEmphasis": "Zdůrazňující efekt", + "Common.define.effectData.textEntrance": "Vstupní efekt", + "Common.define.effectData.textEqualTriangle": "Rovnoramenný trojúhelník", + "Common.define.effectData.textExciting": "Vzrušující", + "Common.define.effectData.textExit": "Efekt při ukončení", + "Common.define.effectData.textExpand": "Rozšířit", + "Common.define.effectData.textFade": "Vyblednout", + "Common.define.effectData.textFigureFour": "Znásobená osmička", + "Common.define.effectData.textFillColor": "Barva výplně", + "Common.define.effectData.textFlip": "Převrátit", + "Common.define.effectData.textFloat": "Hladké", + "Common.define.effectData.textFloatDown": "Plynutí dolů", + "Common.define.effectData.textFloatIn": "Hladké zobrazení", + "Common.define.effectData.textFloatOut": "Hladké zmizení", + "Common.define.effectData.textFloatUp": "Plynutí nahoru", + "Common.define.effectData.textFlyIn": "Přiletět", + "Common.define.effectData.textFlyOut": "Odletět", + "Common.define.effectData.textFontColor": "Barva písma", + "Common.define.effectData.textFootball": "Fotbal", + "Common.define.effectData.textFromBottom": "Zdola", + "Common.define.effectData.textFromBottomLeft": "Zleva dole", + "Common.define.effectData.textFromBottomRight": "Zprava dole", + "Common.define.effectData.textFromLeft": "Zleva", + "Common.define.effectData.textFromRight": "Zprava", + "Common.define.effectData.textFromTop": "Shora", + "Common.define.effectData.textFromTopLeft": "Zleva nahoře", + "Common.define.effectData.textFromTopRight": "Zprava nahoře", + "Common.define.effectData.textFunnel": "Nálevka", + "Common.define.effectData.textGrowShrink": "Růst/Zmenšit", + "Common.define.effectData.textGrowTurn": "Narůst a otočit", + "Common.define.effectData.textGrowWithColor": "Narůst se změnou barvy", + "Common.define.effectData.textHeart": "Srdce", + "Common.define.effectData.textHeartbeat": "Srdeční tep", + "Common.define.effectData.textHexagon": "Šestiúhelník", + "Common.define.effectData.textHorizontal": "Vodorovné", + "Common.define.effectData.textHorizontalFigure": "Ležatá osmička", + "Common.define.effectData.textHorizontalIn": "Vodorovně uvnitř", + "Common.define.effectData.textHorizontalOut": "Vodorovně vně", + "Common.define.effectData.textIn": "Dovnitř", + "Common.define.effectData.textInFromScreenCenter": "Dovnitř ze středu obrazovky", + "Common.define.effectData.textInSlightly": "Dovnitř mírně", + "Common.define.effectData.textInvertedSquare": "Převrácený čtverec", + "Common.define.effectData.textInvertedTriangle": "Převrácený trojúhelník", + "Common.define.effectData.textLeft": "Vlevo", + "Common.define.effectData.textLeftDown": "Vlevo dolů", + "Common.define.effectData.textLeftUp": "Vlevo nahoru", + "Common.define.effectData.textLighten": "Zesvětlit", + "Common.define.effectData.textLineColor": "Barva ohraničení", + "Common.define.effectData.textLinesCurves": "Křivky čar", + "Common.define.effectData.textLoopDeLoop": "Smyčkovitě", + "Common.define.effectData.textModerate": "Mírné", + "Common.define.effectData.textNeutron": "Neutron", + "Common.define.effectData.textObjectCenter": "Střed objektu", + "Common.define.effectData.textObjectColor": "Barva objektu", + "Common.define.effectData.textOctagon": "Osmiúhelník", + "Common.define.effectData.textOut": "Vně", + "Common.define.effectData.textOutFromScreenBottom": "Pryč skrze dolní část obrazovky", + "Common.define.effectData.textOutSlightly": "Vně mírně", + "Common.define.effectData.textParallelogram": "Rovnoběžník", + "Common.define.effectData.textPath": "Trasa pohybu", + "Common.define.effectData.textPeanut": "Burský oříšek", + "Common.define.effectData.textPeekIn": "Přilétnutí", + "Common.define.effectData.textPeekOut": "Odlétnutí", + "Common.define.effectData.textPentagon": "Pětiúhelník", + "Common.define.effectData.textPinwheel": "Větrník", + "Common.define.effectData.textPlus": "Plus", + "Common.define.effectData.textPointStar": "Hvězda s paprsky", + "Common.define.effectData.textPointStar4": "Hvězda se 4 paprsky", + "Common.define.effectData.textPointStar5": "Hvězda s 5 paprsky", + "Common.define.effectData.textPointStar6": "Hvězda s 6 paprsky", + "Common.define.effectData.textPointStar8": "Hvězda s 8 paprsky", + "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": "Pravoúhlý trojúhelník", + "Common.define.effectData.textRightUp": "Vpravo nahoře", + "Common.define.effectData.textRiseUp": "Stoupat", + "Common.define.effectData.textSCurve1": "Křivka 1", + "Common.define.effectData.textSCurve2": "Křivka 2", + "Common.define.effectData.textShape": "Tvar", + "Common.define.effectData.textShimmer": "Třpit", + "Common.define.effectData.textShrinkTurn": "Zmenšit a otočit", + "Common.define.effectData.textSineWave": "Sinusová vlna", + "Common.define.effectData.textSinkDown": "Potopení", + "Common.define.effectData.textSlideCenter": "Střed snímku", + "Common.define.effectData.textSpecial": "Speciální", + "Common.define.effectData.textSpin": "Točit", + "Common.define.effectData.textSpinner": "Odstředivka", + "Common.define.effectData.textSpiralIn": "Spirála", + "Common.define.effectData.textSpiralLeft": "Vlevo do spirály", + "Common.define.effectData.textSpiralOut": "Vně do spirály", + "Common.define.effectData.textSpiralRight": "Vpravo do spirály", + "Common.define.effectData.textSplit": "Rozdělit", + "Common.define.effectData.textSpoke1": "1 Paprsek", + "Common.define.effectData.textSpoke2": "2 Paprsky", + "Common.define.effectData.textSpoke3": "3 Paprsky", + "Common.define.effectData.textSpoke4": "4 Paprsky", + "Common.define.effectData.textSpoke8": "8 paprsků", + "Common.define.effectData.textSpring": "Pružina", + "Common.define.effectData.textSquare": "Čtverec", + "Common.define.effectData.textStairsDown": "Po schodech dolů", + "Common.define.effectData.textStretch": "Roztáhnout", + "Common.define.effectData.textStrips": "Prouž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": "Houpačka", + "Common.define.effectData.textToBottom": "Dolů", + "Common.define.effectData.textToBottomLeft": "Dolů vlevo", + "Common.define.effectData.textToBottomRight": "Dolů vpravo", + "Common.define.effectData.textToLeft": "Doleva", + "Common.define.effectData.textToRight": "Doprava", + "Common.define.effectData.textToTop": "Nahoru", + "Common.define.effectData.textToTopLeft": "Nahoru vlevo", + "Common.define.effectData.textToTopRight": "Nahoru vpravo", + "Common.define.effectData.textTransparency": "Průhlednost", + "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.textTurnUp": "Převrátit nahoru", + "Common.define.effectData.textTurnUpRight": "Převrátit vpravo", + "Common.define.effectData.textUnderline": "Podtrhnout", + "Common.define.effectData.textUp": "Nahoru", + "Common.define.effectData.textVertical": "Svislé", + "Common.define.effectData.textVerticalFigure": "Vertikální osmička", + "Common.define.effectData.textVerticalIn": "Svislý uvnitř", + "Common.define.effectData.textVerticalOut": "Svislý vně", + "Common.define.effectData.textWave": "Vlnka", + "Common.define.effectData.textWedge": "Konjunkce", + "Common.define.effectData.textWheel": "Kolo", + "Common.define.effectData.textWhip": "Bič", + "Common.define.effectData.textWipe": "Setření", + "Common.define.effectData.textZigzag": "Cikcak", + "Common.define.effectData.textZoom": "Přiblížení", "Common.Translation.warnFileLocked": "Soubor je upravován v jiné aplikaci. Můžete pokračovat v úpravách a uložit ho jako kopii.", "Common.Translation.warnFileLockedBtnEdit": "Vytvořit kopii", "Common.Translation.warnFileLockedBtnView": "Otevřít pro náhled", @@ -61,6 +248,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nový", "Common.UI.ExtendedColorDialog.textRGBErr": "Zadaná hodnota není správná.
Zadejte hodnotu z rozmezí 0 až 255.", "Common.UI.HSBColorPicker.textNoColor": "Bez barvy", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Skrýt heslo", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Zobrazit heslo", "Common.UI.SearchDialog.textHighlight": "Zvýraznit výsledky", "Common.UI.SearchDialog.textMatchCase": "Rozlišovat malá a velká písmena", "Common.UI.SearchDialog.textReplaceDef": "Zadejte text, kterým nahradit", @@ -74,7 +263,7 @@ "Common.UI.SynchronizeTip.textDontShow": "Tuto zprávu už nezobrazovat", "Common.UI.SynchronizeTip.textSynchronize": "Dokument byl mezitím změněn jiným uživatelem.
Kliknutím uložte změny provedené vámi a načtěte ty od ostatních.", "Common.UI.ThemeColorPalette.textStandartColors": "Standardní barvy", - "Common.UI.ThemeColorPalette.textThemeColors": "Barvy motivu vzhledu", + "Common.UI.ThemeColorPalette.textThemeColors": "Barvy vzhledu prostředí", "Common.UI.Themes.txtThemeClassicLight": "Standartní světlost", "Common.UI.Themes.txtThemeDark": "Tmavé", "Common.UI.Themes.txtThemeLight": "Světlé", @@ -104,6 +293,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Automatické odrážkové seznamy", "Common.Views.AutoCorrectDialog.textBy": "Od", "Common.Views.AutoCorrectDialog.textDelete": "Odstranit", + "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", "Common.Views.AutoCorrectDialog.textHyphens": "Spojovníky (--) s pomlčkou (—)", @@ -129,12 +319,14 @@ "Common.Views.Comments.mniAuthorDesc": "Autor Z až A", "Common.Views.Comments.mniDateAsc": "Nejstarší", "Common.Views.Comments.mniDateDesc": "Nejnovější", + "Common.Views.Comments.mniFilterGroups": "Filtrovat podle skupiny", "Common.Views.Comments.mniPositionAsc": "Shora", "Common.Views.Comments.mniPositionDesc": "Zdola", "Common.Views.Comments.textAdd": "Přidat", "Common.Views.Comments.textAddComment": "Přidat komentář", "Common.Views.Comments.textAddCommentToDoc": "Přidat komentář k dokumentu", "Common.Views.Comments.textAddReply": "Přidat odpověď", + "Common.Views.Comments.textAll": "Vše", "Common.Views.Comments.textAnonym": "Návštěvník", "Common.Views.Comments.textCancel": "Zrušit", "Common.Views.Comments.textClose": "Zavřít", @@ -148,6 +340,7 @@ "Common.Views.Comments.textResolve": "Vyřešit", "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.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", @@ -312,6 +505,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Znovu otevřít", "Common.Views.ReviewPopover.textReply": "Odpovědět", "Common.Views.ReviewPopover.textResolve": "Vyřešit", + "Common.Views.ReviewPopover.textViewResolved": "Nemáte oprávnění pro opětovné otevírání komentářů", "Common.Views.ReviewPopover.txtDeleteTip": "Smazat", "Common.Views.ReviewPopover.txtEditTip": "Upravit", "Common.Views.SaveAsDlg.textLoading": "Načítá se", @@ -433,8 +627,8 @@ "PE.Controllers.Main.loadImageTitleText": "Načítání obrázku", "PE.Controllers.Main.loadingDocumentTextText": "Načítání prezentace…", "PE.Controllers.Main.loadingDocumentTitleText": "Načítání prezentace", - "PE.Controllers.Main.loadThemeTextText": "Načítání motivu vzhledu...", - "PE.Controllers.Main.loadThemeTitleText": "Načítání motivu vzhledu", + "PE.Controllers.Main.loadThemeTextText": "Načítání vzhledu prostředí...", + "PE.Controllers.Main.loadThemeTitleText": "Načítání vzhledu prostředí", "PE.Controllers.Main.notcriticalErrorTitle": "Varování", "PE.Controllers.Main.openErrorText": "Při otevírání souboru došlo k chybě.", "PE.Controllers.Main.openTextText": "Otevírání prezentace…", @@ -469,6 +663,7 @@ "PE.Controllers.Main.textLongName": "Zadejte jméno, které má méně než 128 znaků.", "PE.Controllers.Main.textNoLicenseTitle": "Došlo k dosažení limitu licence", "PE.Controllers.Main.textPaidFeature": "Placená funkce", + "PE.Controllers.Main.textReconnect": "Spojení je obnoveno", "PE.Controllers.Main.textRemember": "Zapamatovat mou volbu", "PE.Controllers.Main.textRenameError": "Jméno uživatele nesmí být prázdné. ", "PE.Controllers.Main.textRenameLabel": "Zadejte jméno, které bude použito pro spolupráci", @@ -725,7 +920,7 @@ "PE.Controllers.Main.txtTheme_green_leaf": "Zelený list", "PE.Controllers.Main.txtTheme_lines": "Řádky", "PE.Controllers.Main.txtTheme_office": "Kancelář", - "PE.Controllers.Main.txtTheme_office_theme": "Kancelářský motiv vzhledu", + "PE.Controllers.Main.txtTheme_office_theme": "Kancelářský vzhledu prostředí", "PE.Controllers.Main.txtTheme_official": "Oficiální", "PE.Controllers.Main.txtTheme_pixel": "Pixel", "PE.Controllers.Main.txtTheme_safari": "Safari", @@ -750,6 +945,7 @@ "PE.Controllers.Main.warnNoLicense": "Došlo dosažení limitu souběžných připojení %1 editorů. Dokument bude otevřen pouze pro náhled.
Pro rozšíření funkcí kontaktujte %1 obchodní oddělení.", "PE.Controllers.Main.warnNoLicenseUsers": "Došlo k dosažení limitu %1 editorů. Pro rozšíření funkcí kontaktujte %1 obchodní oddělení.", "PE.Controllers.Main.warnProcessRightsChange": "Bylo vám odepřeno oprávnění soubor upravovat.", + "PE.Controllers.Statusbar.textDisconnect": "Spojení je ztraceno
Pokus o opětovné připojení. Zkontrolujte nastavení připojení.", "PE.Controllers.Statusbar.zoomText": "Přiblížení {0}%", "PE.Controllers.Toolbar.confirmAddFontName": "Písmo (font) ve kterém se chystáte uložit, není na tomto zařízení k dispozici.
Text bude zobrazen pomocí některého ze systémových písem s tím, že uložené písmo bude použito, když bude dostupné.
Chcete pokračovat?", "PE.Controllers.Toolbar.textAccent": "Akcenty", @@ -1086,6 +1282,29 @@ "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.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.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.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.txtAddEffect": "Přidat animaci", + "PE.Views.Animation.txtAnimationPane": "Podokno animací", + "PE.Views.Animation.txtParameters": "Parametry", + "PE.Views.Animation.txtPreview": "Náhled", + "PE.Views.Animation.txtSec": "sek", + "PE.Views.AnimationDialog.textPreviewEffect": "Náhled efektu", + "PE.Views.AnimationDialog.textTitle": "Další efekty", "PE.Views.ChartSettings.textAdvanced": "Zobrazit pokročilá nastavení", "PE.Views.ChartSettings.textChartType": "Změnit typ grafu", "PE.Views.ChartSettings.textEditData": "Upravit data", @@ -1165,6 +1384,7 @@ "PE.Views.DocumentHolder.textCut": "Vyjmout", "PE.Views.DocumentHolder.textDistributeCols": "Rozmístit sloupce", "PE.Views.DocumentHolder.textDistributeRows": "Rozmístit řádky", + "PE.Views.DocumentHolder.textEditPoints": "Upravit body", "PE.Views.DocumentHolder.textFlipH": "Převrátit vodorovně", "PE.Views.DocumentHolder.textFlipV": "Převrátit svisle", "PE.Views.DocumentHolder.textFromFile": "Ze souboru", @@ -1203,7 +1423,7 @@ "PE.Views.DocumentHolder.txtBorderProps": "Vlastnosti ohraničení", "PE.Views.DocumentHolder.txtBottom": "Dole", "PE.Views.DocumentHolder.txtChangeLayout": "Změnit uspořádání", - "PE.Views.DocumentHolder.txtChangeTheme": "Změnit motiv vzhledu", + "PE.Views.DocumentHolder.txtChangeTheme": "Změnit vzhled prostředí", "PE.Views.DocumentHolder.txtColumnAlign": "Zarovnání sloupce", "PE.Views.DocumentHolder.txtDecreaseArg": "Snížit velikost argumentu", "PE.Views.DocumentHolder.txtDeleteArg": "Odstranit argument", @@ -1249,9 +1469,11 @@ "PE.Views.DocumentHolder.txtLimitUnder": "Limit pod textem", "PE.Views.DocumentHolder.txtMatchBrackets": "Přizpůsobit závorky výšce argumentu", "PE.Views.DocumentHolder.txtMatrixAlign": "Zarovnání matice", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "Přesunout snímek na konec", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "Přesunout snímek na začátek", "PE.Views.DocumentHolder.txtNewSlide": "Nový snímek", "PE.Views.DocumentHolder.txtOverbar": "Čárka nad textem", - "PE.Views.DocumentHolder.txtPasteDestFormat": "Použít cílový motiv vzhledu", + "PE.Views.DocumentHolder.txtPasteDestFormat": "Použít cílový vzhledu prostředí", "PE.Views.DocumentHolder.txtPastePicture": "Obrázek", "PE.Views.DocumentHolder.txtPasteSourceFormat": "Ponechat formátování zdroje", "PE.Views.DocumentHolder.txtPressLink": "Stikněte CTRL a klikněte na odkaz", @@ -1434,6 +1656,7 @@ "PE.Views.ImageSettings.textCrop": "Oříznout", "PE.Views.ImageSettings.textCropFill": "Výplň", "PE.Views.ImageSettings.textCropFit": "Přizpůsobit", + "PE.Views.ImageSettings.textCropToShape": "Oříznout podle tvaru", "PE.Views.ImageSettings.textEdit": "Upravit", "PE.Views.ImageSettings.textEditObject": "Upravit objekt", "PE.Views.ImageSettings.textFitSlide": "Přizpůsobit snímku", @@ -1448,6 +1671,7 @@ "PE.Views.ImageSettings.textHintFlipV": "Převrátit svisle", "PE.Views.ImageSettings.textInsert": "Nahradit obrázek", "PE.Views.ImageSettings.textOriginalSize": "Skutečná velikost", + "PE.Views.ImageSettings.textRecentlyUsed": "Nedávno použité", "PE.Views.ImageSettings.textRotate90": "Otočit o 90°", "PE.Views.ImageSettings.textRotation": "Otočení", "PE.Views.ImageSettings.textSize": "Velikost", @@ -1569,6 +1793,7 @@ "PE.Views.ShapeSettings.textPatternFill": "Vzor", "PE.Views.ShapeSettings.textPosition": "Pozice", "PE.Views.ShapeSettings.textRadial": "Kruhový", + "PE.Views.ShapeSettings.textRecentlyUsed": "Nedávno použité", "PE.Views.ShapeSettings.textRotate90": "Otočit o 90°", "PE.Views.ShapeSettings.textRotation": "Otočení", "PE.Views.ShapeSettings.textSelectImage": "Vybrat obrázek", @@ -1776,7 +2001,7 @@ "PE.Views.TableSettings.txtTable_NoGrid": "Žádná mřížka", "PE.Views.TableSettings.txtTable_NoStyle": "Bez stylu", "PE.Views.TableSettings.txtTable_TableGrid": "Mřížka tabulky", - "PE.Views.TableSettings.txtTable_ThemedStyle": "Styl opatřený motivem vzhledu", + "PE.Views.TableSettings.txtTable_ThemedStyle": "Styl se vzhledem prostředí", "PE.Views.TableSettingsAdvanced.textAlt": "Alternativní text", "PE.Views.TableSettingsAdvanced.textAltDescription": "Popis", "PE.Views.TableSettingsAdvanced.textAltTip": "Alternativní textová reprezentace informací vizuálního objektu, která bude čtena lidem se zrakovým nebo kognitivním postižením, aby jim pomohla lépe porozumět informacím, které se nacházejí v obrázku, grafu, obrazci nebo v tabulce.", @@ -1885,6 +2110,7 @@ "PE.Views.Toolbar.textColumnsTwo": "Dva sloupce", "PE.Views.Toolbar.textItalic": "Skloněné", "PE.Views.Toolbar.textListSettings": "Nastavení seznamu", + "PE.Views.Toolbar.textRecentlyUsed": "Nedávno použité", "PE.Views.Toolbar.textShapeAlignBottom": "Zarovnat dolů", "PE.Views.Toolbar.textShapeAlignCenter": "Zarovnat na střed", "PE.Views.Toolbar.textShapeAlignLeft": "Zarovnat vlevo", @@ -1898,12 +2124,14 @@ "PE.Views.Toolbar.textStrikeout": "Přeškrtnuté", "PE.Views.Toolbar.textSubscript": "Dolní index", "PE.Views.Toolbar.textSuperscript": "Horní index", + "PE.Views.Toolbar.textTabAnimation": "Animace", "PE.Views.Toolbar.textTabCollaboration": "Spolupráce", "PE.Views.Toolbar.textTabFile": "Soubor", "PE.Views.Toolbar.textTabHome": "Domů", "PE.Views.Toolbar.textTabInsert": "Vložit", "PE.Views.Toolbar.textTabProtect": "Zabezpečení", "PE.Views.Toolbar.textTabTransitions": "Přechod", + "PE.Views.Toolbar.textTabView": "Zobrazit", "PE.Views.Toolbar.textTitleError": "Chyba", "PE.Views.Toolbar.textUnderline": "Podtržené", "PE.Views.Toolbar.tipAddSlide": "Přidat snímek", @@ -1951,12 +2179,13 @@ "PE.Views.Toolbar.tipShapeArrange": "Uspořádat obrazec", "PE.Views.Toolbar.tipSlideNum": "Vložit číslo snímku", "PE.Views.Toolbar.tipSlideSize": "Vybrat velikost snímku", - "PE.Views.Toolbar.tipSlideTheme": "Motiv vzhledu snímku", + "PE.Views.Toolbar.tipSlideTheme": "Vzhledu prostředí snímku", "PE.Views.Toolbar.tipUndo": "Krok zpět", "PE.Views.Toolbar.tipVAligh": "Svislé zarovnání", "PE.Views.Toolbar.tipViewSettings": "Zobrazit nastavení", "PE.Views.Toolbar.txtDistribHor": "Rozmístit vodorovně", "PE.Views.Toolbar.txtDistribVert": "Rozmístit svisle", + "PE.Views.Toolbar.txtDuplicateSlide": "Kopírovat snímek", "PE.Views.Toolbar.txtGroup": "Skupina", "PE.Views.Toolbar.txtObjectsAlign": "Zarovnat označené objekty", "PE.Views.Toolbar.txtScheme1": "Kancelář", @@ -2010,7 +2239,7 @@ "PE.Views.Transitions.textVerticalIn": "Svislý uvnitř", "PE.Views.Transitions.textVerticalOut": "Svislý vně", "PE.Views.Transitions.textWedge": "Konjunkce", - "PE.Views.Transitions.textWipe": "Vyčistit", + "PE.Views.Transitions.textWipe": "Setření", "PE.Views.Transitions.textZoom": "Přiblížení", "PE.Views.Transitions.textZoomIn": "Přiblížit", "PE.Views.Transitions.textZoomOut": "Oddálit", @@ -2018,5 +2247,13 @@ "PE.Views.Transitions.txtApplyToAll": "Použít na všechny snímky", "PE.Views.Transitions.txtParameters": "Parametry", "PE.Views.Transitions.txtPreview": "Náhled", - "PE.Views.Transitions.txtSec": "S" + "PE.Views.Transitions.txtSec": "S", + "PE.Views.ViewTab.textAlwaysShowToolbar": "Vždy zobrazovat panel nástrojů", + "PE.Views.ViewTab.textFitToSlide": "Přizpůsobit snímku", + "PE.Views.ViewTab.textFitToWidth": "Přizpůsobit šířce", + "PE.Views.ViewTab.textInterfaceTheme": "Vzhled prostředí", + "PE.Views.ViewTab.textNotes": "Poznámky", + "PE.Views.ViewTab.textRulers": "Pravítka", + "PE.Views.ViewTab.textStatusBar": "Stavová lišta", + "PE.Views.ViewTab.textZoom": "Přiblížení" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/de.json b/apps/presentationeditor/main/locale/de.json index 78efa2f5a..0e69ffd4a 100644 --- a/apps/presentationeditor/main/locale/de.json +++ b/apps/presentationeditor/main/locale/de.json @@ -47,6 +47,193 @@ "Common.define.chartData.textScatterSmoothMarker": "Punkte mit interpolierten Linien und Datenpunkten", "Common.define.chartData.textStock": "Kurs", "Common.define.chartData.textSurface": "Oberfläche", + "Common.define.effectData.textAcross": "Quer", + "Common.define.effectData.textAppear": "Erscheinen", + "Common.define.effectData.textArcDown": "Bogen nach unten", + "Common.define.effectData.textArcLeft": "Bogen nach links", + "Common.define.effectData.textArcRight": "Bogen nach rechts", + "Common.define.effectData.textArcUp": "Bogen nach oben", + "Common.define.effectData.textBasic": "Grundlegende", + "Common.define.effectData.textBasicSwivel": "Drehen einfach", + "Common.define.effectData.textBasicZoom": "Zoom einfach", + "Common.define.effectData.textBean": "Bohne", + "Common.define.effectData.textBlinds": "Jalousie", + "Common.define.effectData.textBlink": "Blinken", + "Common.define.effectData.textBoldFlash": "Deutlicher Blitz", + "Common.define.effectData.textBoldReveal": "Fett anzeigen", + "Common.define.effectData.textBoomerang": "Bumerang", + "Common.define.effectData.textBounce": "Springen", + "Common.define.effectData.textBounceLeft": "Links aufprallen", + "Common.define.effectData.textBounceRight": "Rechts aufprallen", + "Common.define.effectData.textBox": "Rechteck", + "Common.define.effectData.textBrushColor": "Pinselfarbe", + "Common.define.effectData.textCenterRevolve": "Um Zentrum drehen", + "Common.define.effectData.textCheckerboard": "Schachbrett", + "Common.define.effectData.textCircle": "Kreis", + "Common.define.effectData.textCollapse": "Reduzieren", + "Common.define.effectData.textColorPulse": "Farbimpuls", + "Common.define.effectData.textComplementaryColor": "Komplementärfarbe", + "Common.define.effectData.textComplementaryColor2": "Komplementärfarbe 2", + "Common.define.effectData.textCompress": "Komprimieren", + "Common.define.effectData.textContrast": "Kontrast", + "Common.define.effectData.textContrastingColor": "Kontrastfarbe", + "Common.define.effectData.textCredits": "Abspann", + "Common.define.effectData.textCrescentMoon": "Halbmond", + "Common.define.effectData.textCurveDown": "Gekrümmt nach unten", + "Common.define.effectData.textCurvedSquare": "Kurviges Quadrat", + "Common.define.effectData.textCurvedX": "Kurviges X", + "Common.define.effectData.textCurvyLeft": "Kurvig nach links", + "Common.define.effectData.textCurvyRight": "Kurvig nach rechts", + "Common.define.effectData.textCurvyStar": "Kurviger Stern", + "Common.define.effectData.textCustomPath": "Benutzerdefinierter Pfad", + "Common.define.effectData.textCuverUp": "Gekrümmt nach oben", + "Common.define.effectData.textDarken": "Verdunkeln", + "Common.define.effectData.textDecayingWave": "Abnehmende Welle", + "Common.define.effectData.textDesaturate": "Entsättigen", + "Common.define.effectData.textDiagonalDownRight": "Diagonal, in rechte untere Ecke", + "Common.define.effectData.textDiagonalUpRight": "Diagonal, in linke untere Ecke", + "Common.define.effectData.textDiamond": "Raute", + "Common.define.effectData.textDisappear": "Verschwinden", + "Common.define.effectData.textDissolveIn": "Manifestieren", + "Common.define.effectData.textDissolveOut": "Auflösen", + "Common.define.effectData.textDown": "Nach unten", + "Common.define.effectData.textDrop": "Fallen lassen", + "Common.define.effectData.textEmphasis": "Hervorhebungseffekt", + "Common.define.effectData.textEntrance": "Eingangseffekt", + "Common.define.effectData.textEqualTriangle": "Gleichseitiges Dreieck", + "Common.define.effectData.textExciting": "Spektakulär", + "Common.define.effectData.textExit": "Ausgangseffekt", + "Common.define.effectData.textExpand": "Erweitern", + "Common.define.effectData.textFade": "Verblassen", + "Common.define.effectData.textFigureFour": "Acht übereinander", + "Common.define.effectData.textFillColor": "Füllfarbe", + "Common.define.effectData.textFlip": "Spiegeln", + "Common.define.effectData.textFloat": "Schwimmen", + "Common.define.effectData.textFloatDown": "Abwärts schweben", + "Common.define.effectData.textFloatIn": "Hineinschweben", + "Common.define.effectData.textFloatOut": "Herausschweben", + "Common.define.effectData.textFloatUp": "Aufwärts schweben", + "Common.define.effectData.textFlyIn": "Hineinfliegen", + "Common.define.effectData.textFlyOut": "Hinausfliegen", + "Common.define.effectData.textFontColor": "Schriftfarbe", + "Common.define.effectData.textFootball": "Fußball", + "Common.define.effectData.textFromBottom": "Von unten", + "Common.define.effectData.textFromBottomLeft": "Von links unten", + "Common.define.effectData.textFromBottomRight": "Von rechts unten", + "Common.define.effectData.textFromLeft": "Von links", + "Common.define.effectData.textFromRight": "Von rechts", + "Common.define.effectData.textFromTop": "Von oben", + "Common.define.effectData.textFromTopLeft": "Von links oben", + "Common.define.effectData.textFromTopRight": "Von rechts oben", + "Common.define.effectData.textFunnel": "Trichter", + "Common.define.effectData.textGrowShrink": "Vergrößern/Verkleinern", + "Common.define.effectData.textGrowTurn": "Wachsen und Bewegen", + "Common.define.effectData.textGrowWithColor": "Mit Farbe zunehmend", + "Common.define.effectData.textHeart": "Herz", + "Common.define.effectData.textHeartbeat": "Herzschlag", + "Common.define.effectData.textHexagon": "Sechseck", + "Common.define.effectData.textHorizontal": "Horizontal", + "Common.define.effectData.textHorizontalFigure": "Horizontale Acht", + "Common.define.effectData.textHorizontalIn": "Horizontal nach innen", + "Common.define.effectData.textHorizontalOut": "Horizontal nach außen", + "Common.define.effectData.textIn": "In", + "Common.define.effectData.textInFromScreenCenter": "Vergrößern von Bildschirmmitte", + "Common.define.effectData.textInSlightly": "Etwas vergrößern", + "Common.define.effectData.textInvertedSquare": "Invertiertes Quadrat", + "Common.define.effectData.textInvertedTriangle": "Invertiertes Dreieck", + "Common.define.effectData.textLeft": "Nach links", + "Common.define.effectData.textLeftDown": "Links nach unten", + "Common.define.effectData.textLeftUp": "Links nach oben", + "Common.define.effectData.textLighten": "Erhellen", + "Common.define.effectData.textLineColor": "Linienfarbe", + "Common.define.effectData.textLinesCurves": "Linien und Kurven", + "Common.define.effectData.textLoopDeLoop": "Zwei Schleifen", + "Common.define.effectData.textModerate": "Mittelmäßig", + "Common.define.effectData.textNeutron": "Neutron", + "Common.define.effectData.textObjectCenter": "Objektmitte", + "Common.define.effectData.textObjectColor": "Objektfarbe", + "Common.define.effectData.textOctagon": "Achteck", + "Common.define.effectData.textOut": "Außen", + "Common.define.effectData.textOutFromScreenBottom": "Verkleinern von unten", + "Common.define.effectData.textOutSlightly": "Etwas verkleinern", + "Common.define.effectData.textParallelogram": "Parallelogramm", + "Common.define.effectData.textPath": "Animationspfad", + "Common.define.effectData.textPeanut": "Erdnuss", + "Common.define.effectData.textPeekIn": "Hineinblitzen", + "Common.define.effectData.textPeekOut": "Hervorblitzen", + "Common.define.effectData.textPentagon": "Richtungspfeil", + "Common.define.effectData.textPinwheel": "Sprossenrad", + "Common.define.effectData.textPlus": "Plus", + "Common.define.effectData.textPointStar": "Stern mit Zacken", + "Common.define.effectData.textPointStar4": "Stern mit 4 Zacken", + "Common.define.effectData.textPointStar5": "Stern mit 5 Zacken", + "Common.define.effectData.textPointStar6": "Stern mit 6 Zacken", + "Common.define.effectData.textPointStar8": "Stern mit 8 Zacken", + "Common.define.effectData.textPulse": "Impuls", + "Common.define.effectData.textRandomBars": "Zufällige Balken", + "Common.define.effectData.textRight": "Rechts", + "Common.define.effectData.textRightDown": "Rechts nach unten", + "Common.define.effectData.textRightTriangle": "Rechtwinkliges Dreieck", + "Common.define.effectData.textRightUp": "Rechts nach oben", + "Common.define.effectData.textRiseUp": "Erheben", + "Common.define.effectData.textSCurve1": "S-Kurve 1", + "Common.define.effectData.textSCurve2": "S-Kurve 2", + "Common.define.effectData.textShape": "Form", + "Common.define.effectData.textShimmer": "Schimmer", + "Common.define.effectData.textShrinkTurn": "Verkleinern und Drehen", + "Common.define.effectData.textSineWave": "Sinusschwingung", + "Common.define.effectData.textSinkDown": "Hinabsinken", + "Common.define.effectData.textSlideCenter": "Foliencenter", + "Common.define.effectData.textSpecial": "Spezielle Effekte", + "Common.define.effectData.textSpin": "Rotieren", + "Common.define.effectData.textSpinner": "Wirbeln", + "Common.define.effectData.textSpiralIn": "Spirale", + "Common.define.effectData.textSpiralLeft": "Spirale links", + "Common.define.effectData.textSpiralOut": "Spirale hinaus", + "Common.define.effectData.textSpiralRight": "Spirale rechts", + "Common.define.effectData.textSplit": "Aufteilen", + "Common.define.effectData.textSpoke1": "1 Speiche", + "Common.define.effectData.textSpoke2": "2 Speichen", + "Common.define.effectData.textSpoke3": "3 Speichen", + "Common.define.effectData.textSpoke4": "4 Speichen", + "Common.define.effectData.textSpoke8": "8 Speichen", + "Common.define.effectData.textSpring": "Spirale", + "Common.define.effectData.textSquare": "Viereck", + "Common.define.effectData.textStairsDown": "Treppen nach unten", + "Common.define.effectData.textStretch": "Ausdehnung", + "Common.define.effectData.textStrips": "Streifen", + "Common.define.effectData.textSubtle": "Dezent", + "Common.define.effectData.textSwivel": "Drehen", + "Common.define.effectData.textSwoosh": "Pinselstrich", + "Common.define.effectData.textTeardrop": "Tropfenförmig", + "Common.define.effectData.textTeeter": "Schwanken", + "Common.define.effectData.textToBottom": "Nach unten", + "Common.define.effectData.textToBottomLeft": "Nach links unten", + "Common.define.effectData.textToBottomRight": "Nach rechts unten", + "Common.define.effectData.textToLeft": "Nach links", + "Common.define.effectData.textToRight": "Nach rechts", + "Common.define.effectData.textToTop": "Nach oben", + "Common.define.effectData.textToTopLeft": "Nach links oben", + "Common.define.effectData.textToTopRight": "Nach rechts oben", + "Common.define.effectData.textTransparency": "Transparenz", + "Common.define.effectData.textTrapezoid": "Trapezoid", + "Common.define.effectData.textTurnDown": "Nach unten drehen", + "Common.define.effectData.textTurnDownRight": "Nach rechts unten drehen", + "Common.define.effectData.textTurnUp": "Nach oben drehen", + "Common.define.effectData.textTurnUpRight": "Nach oben rechts drehen", + "Common.define.effectData.textUnderline": "Unterstrichen", + "Common.define.effectData.textUp": "Nach oben", + "Common.define.effectData.textVertical": "Vertikal", + "Common.define.effectData.textVerticalFigure": "Vertikale Acht", + "Common.define.effectData.textVerticalIn": "Vertikal nach innen", + "Common.define.effectData.textVerticalOut": "Vertikal nach außen", + "Common.define.effectData.textWave": "Welle", + "Common.define.effectData.textWedge": "Keil", + "Common.define.effectData.textWheel": "Rad", + "Common.define.effectData.textWhip": "Fegen", + "Common.define.effectData.textWipe": "Wischen", + "Common.define.effectData.textZigzag": "Zickzack", + "Common.define.effectData.textZoom": "Zoom", "Common.Translation.warnFileLocked": "Die Datei wird in einer anderen App bearbeitet. Sie können die Bearbeitung fortsetzen und die Kopie dieser Datei speichern.", "Common.Translation.warnFileLockedBtnEdit": "Kopie erstellen", "Common.Translation.warnFileLockedBtnView": "Schreibgeschützt öffnen", @@ -61,6 +248,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Neu", "Common.UI.ExtendedColorDialog.textRGBErr": "Der eingegebene Wert ist falsch.
Bitte geben Sie einen numerischen Wert zwischen 0 und 255 ein.", "Common.UI.HSBColorPicker.textNoColor": "Ohne Farbe", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Passwort ausblenden", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Password anzeigen", "Common.UI.SearchDialog.textHighlight": "Ergebnisse markieren", "Common.UI.SearchDialog.textMatchCase": "Groß-/Kleinschreibung beachten", "Common.UI.SearchDialog.textReplaceDef": "Geben Sie den Ersetzungstext ein", @@ -104,6 +293,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Automatische Aufzählungen", "Common.Views.AutoCorrectDialog.textBy": "Nach", "Common.Views.AutoCorrectDialog.textDelete": "Löschen", + "Common.Views.AutoCorrectDialog.textFLCells": "Jede Tabellenzelle mit einem Großbuchstaben beginnen", "Common.Views.AutoCorrectDialog.textFLSentence": "Jeden Satz mit einem Großbuchstaben beginnen", "Common.Views.AutoCorrectDialog.textHyperlink": "Internet- und Netzwerkpfade durch Hyperlinks", "Common.Views.AutoCorrectDialog.textHyphens": "Bindestriche (--) mit Gedankenstrich (—)", @@ -129,12 +319,14 @@ "Common.Views.Comments.mniAuthorDesc": "Verfasser (Z-A)", "Common.Views.Comments.mniDateAsc": "Älteste zuerst", "Common.Views.Comments.mniDateDesc": "Neueste zuerst", + "Common.Views.Comments.mniFilterGroups": "Nach Gruppe filtern", "Common.Views.Comments.mniPositionAsc": "Von oben", "Common.Views.Comments.mniPositionDesc": "Von unten", "Common.Views.Comments.textAdd": "Hinzufügen", "Common.Views.Comments.textAddComment": "Kommentar hinzufügen", "Common.Views.Comments.textAddCommentToDoc": "Kommentar zum Dokument hinzufügen", "Common.Views.Comments.textAddReply": "Antwort hinzufügen", + "Common.Views.Comments.textAll": "Alle", "Common.Views.Comments.textAnonym": "Gast", "Common.Views.Comments.textCancel": "Abbrechen", "Common.Views.Comments.textClose": "Schließen", @@ -148,6 +340,7 @@ "Common.Views.Comments.textResolve": "Lösen", "Common.Views.Comments.textResolved": "Gelöst", "Common.Views.Comments.textSort": "Kommentare sortieren", + "Common.Views.Comments.textViewResolved": "Sie haben keine Berechtigung, den Kommentar erneut zu öffnen", "Common.Views.CopyWarningDialog.textDontShow": "Diese Meldung nicht mehr anzeigen", "Common.Views.CopyWarningDialog.textMsg": "Die Funktionen \"Kopieren\", \"Ausschneiden\" und \"Einfügen\" können mithilfe den Schaltflächen in der Symbolleiste und Aktionen im Kontextmenü nur in dieser Editor-Registerkarte durchgeführt werden.

Für Kopieren oder Einfügen in oder aus anderen Anwendungen nutzen Sie die folgenden Tastenkombinationen:", "Common.Views.CopyWarningDialog.textTitle": "Funktionen \"Kopieren\", \"Ausschneiden\" und \"Einfügen\"", @@ -312,6 +505,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Erneut öffnen", "Common.Views.ReviewPopover.textReply": "Antworten", "Common.Views.ReviewPopover.textResolve": "Lösen", + "Common.Views.ReviewPopover.textViewResolved": "Sie haben keine Berechtigung, den Kommentar erneut zu öffnen", "Common.Views.ReviewPopover.txtDeleteTip": "Löschen", "Common.Views.ReviewPopover.txtEditTip": "Bearbeiten", "Common.Views.SaveAsDlg.textLoading": "Ladevorgang", @@ -469,6 +663,7 @@ "PE.Controllers.Main.textLongName": "Der Name einer Tabellenansicht darf maximal 128 Zeichen lang sein.", "PE.Controllers.Main.textNoLicenseTitle": "Lizenzlimit erreicht", "PE.Controllers.Main.textPaidFeature": "Kostenpflichtige Funktion", + "PE.Controllers.Main.textReconnect": "Verbindung wurde wiederhergestellt", "PE.Controllers.Main.textRemember": "Meine Auswahl merken", "PE.Controllers.Main.textRenameError": "Benutzername darf nicht leer sein.", "PE.Controllers.Main.textRenameLabel": "Geben Sie den Namen für Zusammenarbeit ein", @@ -750,6 +945,7 @@ "PE.Controllers.Main.warnNoLicense": "Sie haben das Limit für gleichzeitige Verbindungen in %1-Editoren erreicht. Dieses Dokument wird nur zum Anzeigen geöffnet.
Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.", "PE.Controllers.Main.warnNoLicenseUsers": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.", "PE.Controllers.Main.warnProcessRightsChange": "Das Recht, die Datei zu bearbeiten, wurde Ihnen verweigert.", + "PE.Controllers.Statusbar.textDisconnect": "Die Verbindung wurde unterbrochen
Verbindungsversuch... Bitte Verbindungseinstellungen überprüfen.", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Toolbar.confirmAddFontName": "Die Schriftart, die Sie verwenden wollen, ist auf diesem Gerät nicht verfügbar.
Der Textstil wird mit einer der Systemschriften angezeigt, die gespeicherte Schriftart wird verwendet, wenn sie verfügbar ist.
Wollen Sie fortsetzen?", "PE.Controllers.Toolbar.textAccent": "Akzente", @@ -1086,6 +1282,29 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Folie anpassen", "PE.Controllers.Viewport.textFitWidth": "Breite anpassen", + "PE.Views.Animation.strDelay": "Verzögern", + "PE.Views.Animation.strDuration": "Dauer", + "PE.Views.Animation.strRepeat": "Wiederholen", + "PE.Views.Animation.strRewind": "Zurückspulen", + "PE.Views.Animation.strStart": "Start", + "PE.Views.Animation.strTrigger": "Trigger", + "PE.Views.Animation.textMoreEffects": "Mehr Effekte anzeigen", + "PE.Views.Animation.textMoveEarlier": "Früher", + "PE.Views.Animation.textMoveLater": "Später", + "PE.Views.Animation.textMultiple": "Mehrfach", + "PE.Views.Animation.textNone": "Keine", + "PE.Views.Animation.textOnClickOf": "Beim Klicken auf", + "PE.Views.Animation.textOnClickSequence": "Bei Reihenfolge von Klicken", + "PE.Views.Animation.textStartAfterPrevious": "Nach vorheriger", + "PE.Views.Animation.textStartOnClick": "Beim Klicken", + "PE.Views.Animation.textStartWithPrevious": "Mit vorheriger", + "PE.Views.Animation.txtAddEffect": "Animation hinzufügen", + "PE.Views.Animation.txtAnimationPane": "Animationsbereich", + "PE.Views.Animation.txtParameters": "Parameter", + "PE.Views.Animation.txtPreview": "Vorschau", + "PE.Views.Animation.txtSec": "s", + "PE.Views.AnimationDialog.textPreviewEffect": "Effektvorschau", + "PE.Views.AnimationDialog.textTitle": "Mehr Effekte", "PE.Views.ChartSettings.textAdvanced": "Erweiterte Einstellungen anzeigen", "PE.Views.ChartSettings.textChartType": "Diagrammtyp ändern", "PE.Views.ChartSettings.textEditData": "Daten ändern", @@ -1165,6 +1384,7 @@ "PE.Views.DocumentHolder.textCut": "Ausschneiden", "PE.Views.DocumentHolder.textDistributeCols": "Spalten verteilen", "PE.Views.DocumentHolder.textDistributeRows": "Zeilen verteilen", + "PE.Views.DocumentHolder.textEditPoints": "Punkte bearbeiten", "PE.Views.DocumentHolder.textFlipH": "Horizontal kippen", "PE.Views.DocumentHolder.textFlipV": "Vertikal kippen", "PE.Views.DocumentHolder.textFromFile": "Aus Datei", @@ -1249,6 +1469,8 @@ "PE.Views.DocumentHolder.txtLimitUnder": "Grenzen unter dem Text", "PE.Views.DocumentHolder.txtMatchBrackets": "Eckige Klammern an Argumenthöhe anpassen", "PE.Views.DocumentHolder.txtMatrixAlign": "Matrixausrichtung", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "Folie zum Ende verschieben", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "Folie zum Anfang verschieben", "PE.Views.DocumentHolder.txtNewSlide": "Neue Folie", "PE.Views.DocumentHolder.txtOverbar": "Linie über dem Text", "PE.Views.DocumentHolder.txtPasteDestFormat": "Zieldesign verwenden", @@ -1434,6 +1656,7 @@ "PE.Views.ImageSettings.textCrop": "Zuschneiden", "PE.Views.ImageSettings.textCropFill": "Ausfüllen", "PE.Views.ImageSettings.textCropFit": "Anpassen", + "PE.Views.ImageSettings.textCropToShape": "Auf Form zuschneiden", "PE.Views.ImageSettings.textEdit": "Bearbeiten", "PE.Views.ImageSettings.textEditObject": "Objekt bearbeiten", "PE.Views.ImageSettings.textFitSlide": "An Folie anpassen", @@ -1448,6 +1671,7 @@ "PE.Views.ImageSettings.textHintFlipV": "Vertikal kippen", "PE.Views.ImageSettings.textInsert": "Bild ersetzen", "PE.Views.ImageSettings.textOriginalSize": "Tatsächliche Größe", + "PE.Views.ImageSettings.textRecentlyUsed": "Zuletzt verwendet", "PE.Views.ImageSettings.textRotate90": "90 Grad drehen", "PE.Views.ImageSettings.textRotation": "Rotation", "PE.Views.ImageSettings.textSize": "Größe", @@ -1569,6 +1793,7 @@ "PE.Views.ShapeSettings.textPatternFill": "Muster", "PE.Views.ShapeSettings.textPosition": "Stellung", "PE.Views.ShapeSettings.textRadial": "Radial", + "PE.Views.ShapeSettings.textRecentlyUsed": "Zuletzt verwendet", "PE.Views.ShapeSettings.textRotate90": "90 Grad drehen", "PE.Views.ShapeSettings.textRotation": "Rotation", "PE.Views.ShapeSettings.textSelectImage": "Bild auswählen", @@ -1885,6 +2110,7 @@ "PE.Views.Toolbar.textColumnsTwo": "Zwei Spalten", "PE.Views.Toolbar.textItalic": "Kursiv", "PE.Views.Toolbar.textListSettings": "Listeneinstellungen", + "PE.Views.Toolbar.textRecentlyUsed": "Zuletzt verwendet", "PE.Views.Toolbar.textShapeAlignBottom": "Unten ausrichten", "PE.Views.Toolbar.textShapeAlignCenter": "Zentriert ausrichten", "PE.Views.Toolbar.textShapeAlignLeft": "Links ausrichten", @@ -1898,12 +2124,14 @@ "PE.Views.Toolbar.textStrikeout": "Durchgestrichen", "PE.Views.Toolbar.textSubscript": "Tiefgestellt", "PE.Views.Toolbar.textSuperscript": "Hochgestellt", + "PE.Views.Toolbar.textTabAnimation": "Animation", "PE.Views.Toolbar.textTabCollaboration": "Zusammenarbeit", "PE.Views.Toolbar.textTabFile": "Datei", "PE.Views.Toolbar.textTabHome": "Startseite", "PE.Views.Toolbar.textTabInsert": "Einfügen", "PE.Views.Toolbar.textTabProtect": "Schutz", "PE.Views.Toolbar.textTabTransitions": "Übergänge", + "PE.Views.Toolbar.textTabView": "Ansicht", "PE.Views.Toolbar.textTitleError": "Fehler", "PE.Views.Toolbar.textUnderline": "Unterstrichen", "PE.Views.Toolbar.tipAddSlide": "Folie hinzufügen", @@ -1957,6 +2185,7 @@ "PE.Views.Toolbar.tipViewSettings": "Ansichts-Einstellungen", "PE.Views.Toolbar.txtDistribHor": "Horizontal verteilen", "PE.Views.Toolbar.txtDistribVert": "Vertikal verteilen", + "PE.Views.Toolbar.txtDuplicateSlide": "Folie duplizieren", "PE.Views.Toolbar.txtGroup": "Gruppieren", "PE.Views.Toolbar.txtObjectsAlign": "Ausgewählte Objekte ausrichten", "PE.Views.Toolbar.txtScheme1": "Larissa", @@ -2018,5 +2247,13 @@ "PE.Views.Transitions.txtApplyToAll": "Auf alle Folien anwenden", "PE.Views.Transitions.txtParameters": "Parameter", "PE.Views.Transitions.txtPreview": "Vorschau", - "PE.Views.Transitions.txtSec": "s" + "PE.Views.Transitions.txtSec": "s", + "PE.Views.ViewTab.textAlwaysShowToolbar": "Symbolleiste immer anzeigen", + "PE.Views.ViewTab.textFitToSlide": "An Folie anpassen", + "PE.Views.ViewTab.textFitToWidth": "An Breite anpassen", + "PE.Views.ViewTab.textInterfaceTheme": "Thema der Benutzeroberfläche", + "PE.Views.ViewTab.textNotes": "Notizen", + "PE.Views.ViewTab.textRulers": "Lineale", + "PE.Views.ViewTab.textStatusBar": "Statusleiste", + "PE.Views.ViewTab.textZoom": "Zoom" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/el.json b/apps/presentationeditor/main/locale/el.json index a23e15ce5..498655dfa 100644 --- a/apps/presentationeditor/main/locale/el.json +++ b/apps/presentationeditor/main/locale/el.json @@ -47,6 +47,193 @@ "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": "Καμπυλωτό Χ", + "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.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.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": "Δημιουργία αντιγράφου", "Common.Translation.warnFileLockedBtnView": "Άνοιγμα για προβολή", @@ -61,6 +248,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": "Εισάγετε το κείμενο αντικατάστασης", @@ -104,6 +293,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Αυτόματες λίστες κουκκίδων", "Common.Views.AutoCorrectDialog.textBy": "Κατά", "Common.Views.AutoCorrectDialog.textDelete": "Διαγραφή", + "Common.Views.AutoCorrectDialog.textFLCells": "Να γίνει κεφαλαίο το πρώτο γράμμα των κελιών του πίνακα", "Common.Views.AutoCorrectDialog.textFLSentence": "Κεφαλαιοποιήστε το πρώτο γράμμα των προτάσεων", "Common.Views.AutoCorrectDialog.textHyperlink": "Μονοπάτια δικτύου και διαδικτύου με υπερσυνδέσμους", "Common.Views.AutoCorrectDialog.textHyphens": "Παύλες (--) με πλατιά παύλα (—)", @@ -129,12 +319,14 @@ "Common.Views.Comments.mniAuthorDesc": "Συγγραφέας Ω έως Α", "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 +340,7 @@ "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": "Ενέργειες Αντιγραφής, Αποκοπής και Επικόλλησης", @@ -312,6 +505,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 +663,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 +945,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": "Τόνοι/Πνεύματα", @@ -1086,6 +1282,29 @@ "PE.Controllers.Toolbar.txtSymbol_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.textOnClickOf": "Με το Κλικ σε", + "PE.Views.Animation.textOnClickSequence": "Με την Ακολουθία Κλικ", + "PE.Views.Animation.textStartAfterPrevious": "Μετά το Προηγούμενο", + "PE.Views.Animation.textStartOnClick": "Με το Κλικ", + "PE.Views.Animation.textStartWithPrevious": "Με το Προηγούμενο", + "PE.Views.Animation.txtAddEffect": "Προσθήκη animation", + "PE.Views.Animation.txtAnimationPane": "Παράθυρο Animation", + "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 +1384,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 +1469,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": "Χρήση θέματος προορισμού", @@ -1434,6 +1656,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 +1671,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": "Μέγεθος", @@ -1569,6 +1793,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 +2110,7 @@ "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": "Στοίχιση Αριστερά", @@ -1898,12 +2124,14 @@ "PE.Views.Toolbar.textStrikeout": "Διακριτική διαγραφή", "PE.Views.Toolbar.textSubscript": "Δείκτης", "PE.Views.Toolbar.textSuperscript": "Εκθέτης", + "PE.Views.Toolbar.textTabAnimation": "Animation", "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": "Προσθήκη διαφάνειας", @@ -1957,6 +2185,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 +2247,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/en.json b/apps/presentationeditor/main/locale/en.json index 3983f40dd..27af300b4 100644 --- a/apps/presentationeditor/main/locale/en.json +++ b/apps/presentationeditor/main/locale/en.json @@ -52,6 +52,7 @@ "Common.define.effectData.textArcDown": "Arc Down", "Common.define.effectData.textArcLeft": "Arc Left", "Common.define.effectData.textArcRight": "Arc Right", + "Common.define.effectData.textArcs": "Arcs", "Common.define.effectData.textArcUp": "Arc Up", "Common.define.effectData.textBasic": "Basic", "Common.define.effectData.textBasicSwivel": "Basic Swivel", @@ -79,14 +80,14 @@ "Common.define.effectData.textContrastingColor": "Contrasting Color", "Common.define.effectData.textCredits": "Credits", "Common.define.effectData.textCrescentMoon": "Crescent Moon", - "Common.define.effectData.textCurveDown": "CurveDown", - "Common.define.effectData.textCurvedSquare": "CurvedSquare", + "Common.define.effectData.textCurveDown": "Curve Down", + "Common.define.effectData.textCurvedSquare": "Curved Square", "Common.define.effectData.textCurvedX": "Curved X", "Common.define.effectData.textCurvyLeft": "Curvy Left", "Common.define.effectData.textCurvyRight": "Curvy Right", "Common.define.effectData.textCurvyStar": "Curvy Star", "Common.define.effectData.textCustomPath": "Custom Path", - "Common.define.effectData.textCuverUp": "Cuver Up", + "Common.define.effectData.textCuverUp": "Curve Up", "Common.define.effectData.textDarken": "Darken", "Common.define.effectData.textDecayingWave": "Decaying Wave", "Common.define.effectData.textDesaturate": "Desaturate", @@ -139,7 +140,7 @@ "Common.define.effectData.textIn": "In", "Common.define.effectData.textInFromScreenCenter": "In From Screen Center", "Common.define.effectData.textInSlightly": "In Slightly", - "Common.define.effectData.textInToScreenCenter": "In To Screen Center", + "Common.define.effectData.textInToScreenBottom": "In To Screen Bottom", "Common.define.effectData.textInvertedSquare": "Inverted Square", "Common.define.effectData.textInvertedTriangle": "Inverted Triangle", "Common.define.effectData.textLeft": "Left", @@ -147,8 +148,10 @@ "Common.define.effectData.textLeftUp": " Left Up", "Common.define.effectData.textLighten": "Lighten", "Common.define.effectData.textLineColor": "Line Color", + "Common.define.effectData.textLines": "Lines", "Common.define.effectData.textLinesCurves": "Lines Curves", "Common.define.effectData.textLoopDeLoop": "Loop de Loop", + "Common.define.effectData.textLoops": "Loops", "Common.define.effectData.textModerate": "Moderate", "Common.define.effectData.textNeutron": "Neutron", "Common.define.effectData.textObjectCenter": "Object Center", @@ -157,6 +160,7 @@ "Common.define.effectData.textOut": "Out", "Common.define.effectData.textOutFromScreenBottom": "Out From Screen Bottom", "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.textPeanut": "Peanut", @@ -180,6 +184,7 @@ "Common.define.effectData.textSCurve1": "S Curve 1", "Common.define.effectData.textSCurve2": "S Curve 2", "Common.define.effectData.textShape": "Shape", + "Common.define.effectData.textShapes": "Shapes", "Common.define.effectData.textShimmer": "Shimmer", "Common.define.effectData.textShrinkTurn": "Shrink & Turn", "Common.define.effectData.textSineWave": "Sine Wave", @@ -194,10 +199,10 @@ "Common.define.effectData.textSpiralRight": "Spiral Right", "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.textSpoke2": "2 Spokes", + "Common.define.effectData.textSpoke3": "3 Spokes", + "Common.define.effectData.textSpoke4": "4 Spokes", + "Common.define.effectData.textSpoke8": "8 Spokes", "Common.define.effectData.textSpring": "Spring", "Common.define.effectData.textSquare": "Square", "Common.define.effectData.textStairsDown": "Stairs Down", @@ -211,7 +216,6 @@ "Common.define.effectData.textToBottom": "To Bottom", "Common.define.effectData.textToBottomLeft": "To Bottom-Left", "Common.define.effectData.textToBottomRight": "To Bottom-Right", - "Common.define.effectData.textToFromScreenBottom": "Out To Screen Bottom", "Common.define.effectData.textToLeft": "To Left", "Common.define.effectData.textToRight": "To Right", "Common.define.effectData.textToTop": "To Top", @@ -221,6 +225,7 @@ "Common.define.effectData.textTrapezoid": "Trapezoid", "Common.define.effectData.textTurnDown": "Turn Down", "Common.define.effectData.textTurnDownRight": "Turn Down Right", + "Common.define.effectData.textTurns": "Turns", "Common.define.effectData.textTurnUp": "Turn Up", "Common.define.effectData.textTurnUpRight": "Turn Up Right", "Common.define.effectData.textUnderline": "Underline", @@ -296,6 +301,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Automatic bulleted lists", "Common.Views.AutoCorrectDialog.textBy": "By", "Common.Views.AutoCorrectDialog.textDelete": "Delete", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Add period with double-space", "Common.Views.AutoCorrectDialog.textFLCells": "Capitalize first letter of table cells", "Common.Views.AutoCorrectDialog.textFLSentence": "Capitalize first letter of sentences", "Common.Views.AutoCorrectDialog.textHyperlink": "Internet and network paths with hyperlinks", @@ -343,7 +349,7 @@ "Common.Views.Comments.textResolve": "Resolve", "Common.Views.Comments.textResolved": "Resolved", "Common.Views.Comments.textSort": "Sort comments", - "Common.Views.Comments.textViewResolved": "You have not permission for reopen comment", + "Common.Views.Comments.textViewResolved": "You have no permission to reopen the comment", "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", @@ -510,7 +516,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Open Again", "Common.Views.ReviewPopover.textReply": "Reply", "Common.Views.ReviewPopover.textResolve": "Resolve", - "Common.Views.ReviewPopover.textViewResolved": "You have not permission for reopen comment", + "Common.Views.ReviewPopover.textViewResolved": "You have no permission to reopen the comment", "Common.Views.ReviewPopover.txtDeleteTip": "Delete", "Common.Views.ReviewPopover.txtEditTip": "Edit", "Common.Views.SaveAsDlg.textLoading": "Loading", @@ -1287,6 +1293,12 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Fit to Slide", "PE.Controllers.Viewport.textFitWidth": "Fit to Width", + "PE.Views.Animation.str0_5": "0.5 s (Very Fast)", + "PE.Views.Animation.str1": "1 s (Fast)", + "PE.Views.Animation.str2": "2 s (Medium)", + "PE.Views.Animation.str20": "20 s (Extremely Slow)", + "PE.Views.Animation.str3": "3 s (Slow)", + "PE.Views.Animation.str5": "5 s (Very Slow)", "PE.Views.Animation.strDelay": "Delay", "PE.Views.Animation.strDuration": "Duration", "PE.Views.Animation.strRepeat": "Repeat", @@ -1298,11 +1310,14 @@ "PE.Views.Animation.textMoveLater": "Move Later", "PE.Views.Animation.textMultiple": "Multiple", "PE.Views.Animation.textNone": "None", + "PE.Views.Animation.textNoRepeat": "(none)", "PE.Views.Animation.textOnClickOf": "On Click of", "PE.Views.Animation.textOnClickSequence": "On Click Sequence", "PE.Views.Animation.textStartAfterPrevious": "After Previous", "PE.Views.Animation.textStartOnClick": "On Click", "PE.Views.Animation.textStartWithPrevious": "With Previous", + "PE.Views.Animation.textUntilEndOfSlide": "Until End of Slide", + "PE.Views.Animation.textUntilNextClick": "Until Next Click", "PE.Views.Animation.txtAddEffect": "Add animation", "PE.Views.Animation.txtAnimationPane": "Animation Pane", "PE.Views.Animation.txtParameters": "Parameters", diff --git a/apps/presentationeditor/main/locale/es.json b/apps/presentationeditor/main/locale/es.json index 2056381dd..a54532638 100644 --- a/apps/presentationeditor/main/locale/es.json +++ b/apps/presentationeditor/main/locale/es.json @@ -47,20 +47,209 @@ "Common.define.chartData.textScatterSmoothMarker": "Dispersión con líneas suavizadas y marcadores", "Common.define.chartData.textStock": "De cotizaciones", "Common.define.chartData.textSurface": "Superficie", + "Common.define.effectData.textAcross": "Horizontal", + "Common.define.effectData.textAppear": "Aparecer", + "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.textArcUp": "Arco hacia arriba", + "Common.define.effectData.textBasic": "Básico", + "Common.define.effectData.textBasicSwivel": "Giro básico", + "Common.define.effectData.textBasicZoom": "Zoom básico", + "Common.define.effectData.textBean": "Alubia", + "Common.define.effectData.textBlinds": "Persianas", + "Common.define.effectData.textBlink": "Intermitente", + "Common.define.effectData.textBoldFlash": "Flash en negrita", + "Common.define.effectData.textBoldReveal": "Revelar en negrita", + "Common.define.effectData.textBoomerang": "Bumerán", + "Common.define.effectData.textBounce": "Rebote", + "Common.define.effectData.textBounceLeft": "Rebote hacia la izquierda", + "Common.define.effectData.textBounceRight": "Rebote hacia la derecha", + "Common.define.effectData.textBox": "Cuadro", + "Common.define.effectData.textBrushColor": "Color del pincel", + "Common.define.effectData.textCenterRevolve": "Girar hacia el centro", + "Common.define.effectData.textCheckerboard": "Cuadros bicolores", + "Common.define.effectData.textCircle": "Círculo", + "Common.define.effectData.textCollapse": "Contraer", + "Common.define.effectData.textColorPulse": "Pulso de color", + "Common.define.effectData.textComplementaryColor": "Color complementario", + "Common.define.effectData.textComplementaryColor2": "Color complementario 2", + "Common.define.effectData.textCompress": "Comprimir", + "Common.define.effectData.textContrast": "Contraste ", + "Common.define.effectData.textContrastingColor": "Color de contraste", + "Common.define.effectData.textCredits": "Créditos", + "Common.define.effectData.textCrescentMoon": "Luna creciente", + "Common.define.effectData.textCurveDown": "Curva hacia abajo", + "Common.define.effectData.textCurvedSquare": "Cuadrado curvado", + "Common.define.effectData.textCurvedX": "X curvada", + "Common.define.effectData.textCurvyLeft": "Curvas hacia la izquierda", + "Common.define.effectData.textCurvyRight": "Curvas hacia la derecha", + "Common.define.effectData.textCurvyStar": "Estrella curvada", + "Common.define.effectData.textCustomPath": "Ruta personalizada", + "Common.define.effectData.textCuverUp": "Curva hacia arriba", + "Common.define.effectData.textDarken": "Oscurecer", + "Common.define.effectData.textDecayingWave": "Serpentina", + "Common.define.effectData.textDesaturate": "Saturación reducida", + "Common.define.effectData.textDiagonalDownRight": "Diagonal hacia abajo derecha", + "Common.define.effectData.textDiagonalUpRight": "Diagonal hacia arriba derecha", + "Common.define.effectData.textDiamond": "Rombo", + "Common.define.effectData.textDisappear": "Desaparecer", + "Common.define.effectData.textDissolveIn": "Disolver hacia dentro", + "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.textEqualTriangle": "Triángulo equilátero", + "Common.define.effectData.textExciting": "Llamativo", + "Common.define.effectData.textExit": "Efecto de salida", + "Common.define.effectData.textExpand": "Expandir", + "Common.define.effectData.textFade": "Desvanecer", + "Common.define.effectData.textFigureFour": "Figura 8 cuatro veces", + "Common.define.effectData.textFillColor": "Color de relleno", + "Common.define.effectData.textFlip": "Voltear", + "Common.define.effectData.textFloat": "Flotante", + "Common.define.effectData.textFloatDown": "Flotante hacia abajo", + "Common.define.effectData.textFloatIn": "Flotante hacia dentro", + "Common.define.effectData.textFloatOut": "Flotante hacia fuera", + "Common.define.effectData.textFloatUp": "Flotante hacia arriba", + "Common.define.effectData.textFlyIn": "Volar hacia dentro", + "Common.define.effectData.textFlyOut": "Volar hacia fuera", + "Common.define.effectData.textFontColor": "Color de fuente", + "Common.define.effectData.textFootball": "Fútbol", + "Common.define.effectData.textFromBottom": "Desde abajo", + "Common.define.effectData.textFromBottomLeft": "Desde la parte inferior izquierda", + "Common.define.effectData.textFromBottomRight": "Desde la parte inferior derecha", + "Common.define.effectData.textFromLeft": "Desde la izquierda", + "Common.define.effectData.textFromRight": "Desde la derecha", + "Common.define.effectData.textFromTop": "Desde arriba", + "Common.define.effectData.textFromTopLeft": "Desde la parte superior izquierda", + "Common.define.effectData.textFromTopRight": "Desde la parte superior derecha", + "Common.define.effectData.textFunnel": "Embudo", + "Common.define.effectData.textGrowShrink": "Aumentar/Encoger", + "Common.define.effectData.textGrowTurn": "Aumentar y girar", + "Common.define.effectData.textGrowWithColor": "Aumentar con color", + "Common.define.effectData.textHeart": "Corazón", + "Common.define.effectData.textHeartbeat": "Latido", + "Common.define.effectData.textHexagon": "Hexágono", + "Common.define.effectData.textHorizontal": "Horizontal ", + "Common.define.effectData.textHorizontalFigure": "Figura 8 horizontal", + "Common.define.effectData.textHorizontalIn": "Horizontal entrante", + "Common.define.effectData.textHorizontalOut": "Horizontal saliente", + "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.textInvertedSquare": "Cuadrado invertido", + "Common.define.effectData.textInvertedTriangle": "Triángulo invertido", + "Common.define.effectData.textLeft": "Izquierda", + "Common.define.effectData.textLeftDown": "Izquierda y abajo", + "Common.define.effectData.textLeftUp": "Izquierda y arriba", + "Common.define.effectData.textLighten": "Iluninar", + "Common.define.effectData.textLineColor": "Color de línea", + "Common.define.effectData.textLinesCurves": "Líneas curvas", + "Common.define.effectData.textLoopDeLoop": "Bucle", + "Common.define.effectData.textModerate": "Moderado", + "Common.define.effectData.textNeutron": "Neutrón", + "Common.define.effectData.textObjectCenter": "Centro del objeto", + "Common.define.effectData.textObjectColor": "Color de objeto", + "Common.define.effectData.textOctagon": "Octágono", + "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.textParallelogram": "Paralelogramo", + "Common.define.effectData.textPath": "Ruta de movimiento", + "Common.define.effectData.textPeanut": "Cacahuete", + "Common.define.effectData.textPeekIn": "Desplegar hacia arriba", + "Common.define.effectData.textPeekOut": "Desplegar hacia abajo", + "Common.define.effectData.textPentagon": "Pentágono", + "Common.define.effectData.textPinwheel": "Remolino", + "Common.define.effectData.textPlus": "Más", + "Common.define.effectData.textPointStar": "Estrella de puntas", + "Common.define.effectData.textPointStar4": "Estrella de 4 puntas", + "Common.define.effectData.textPointStar5": "Estrella de 5 puntas", + "Common.define.effectData.textPointStar6": "Estrella de 6 puntas", + "Common.define.effectData.textPointStar8": "Estrella de 8 puntas", + "Common.define.effectData.textPulse": "Impulso", + "Common.define.effectData.textRandomBars": "Barras aleatorias", + "Common.define.effectData.textRight": "A la derecha", + "Common.define.effectData.textRightDown": "Derecha y abajo", + "Common.define.effectData.textRightTriangle": "Triángulo rectángulo", + "Common.define.effectData.textRightUp": "Derecha y arriba", + "Common.define.effectData.textRiseUp": "Desplegar hacia arriba", + "Common.define.effectData.textSCurve1": "Curva S 1", + "Common.define.effectData.textSCurve2": "Curva S 2", + "Common.define.effectData.textShape": "Forma", + "Common.define.effectData.textShimmer": "Reflejos", + "Common.define.effectData.textShrinkTurn": "Reducir y girar", + "Common.define.effectData.textSineWave": "Sine Wave", + "Common.define.effectData.textSinkDown": "Hundir", + "Common.define.effectData.textSlideCenter": "Centro de la diapositiva", + "Common.define.effectData.textSpecial": "Especial", + "Common.define.effectData.textSpin": "Girar", + "Common.define.effectData.textSpinner": "Centrifugado", + "Common.define.effectData.textSpiralIn": "Espiral hacia dentro", + "Common.define.effectData.textSpiralLeft": "Espiral hacia la izquierda", + "Common.define.effectData.textSpiralOut": "Espiral hacia fuera", + "Common.define.effectData.textSpiralRight": "Espiral hacia la derecha", + "Common.define.effectData.textSplit": "Dividir", + "Common.define.effectData.textSpoke1": "1 radio", + "Common.define.effectData.textSpoke2": "2 radios", + "Common.define.effectData.textSpoke3": "3 radios", + "Common.define.effectData.textSpoke4": "4 radios", + "Common.define.effectData.textSpoke8": "8 radios", + "Common.define.effectData.textSpring": "Muelle", + "Common.define.effectData.textSquare": "Cuadrado", + "Common.define.effectData.textStairsDown": "Escaleras abajo", + "Common.define.effectData.textStretch": "Estirar", + "Common.define.effectData.textStrips": "Rayas", + "Common.define.effectData.textSubtle": "Sutil", + "Common.define.effectData.textSwivel": "Rótula", + "Common.define.effectData.textSwoosh": "Silbido", + "Common.define.effectData.textTeardrop": "Lágrima", + "Common.define.effectData.textTeeter": "Tambalear", + "Common.define.effectData.textToBottom": "Hacia abajo", + "Common.define.effectData.textToBottomLeft": "Hacia abajo a la izquierda", + "Common.define.effectData.textToBottomRight": "Hacia abajo a la derecha", + "Common.define.effectData.textToLeft": "A la izquierda", + "Common.define.effectData.textToRight": "A la derecha", + "Common.define.effectData.textToTop": "Hacia arriba", + "Common.define.effectData.textToTopLeft": "Hacia arriba a la izquierda", + "Common.define.effectData.textToTopRight": "Hacia arriba a la derecha", + "Common.define.effectData.textTransparency": "Transparencia", + "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.textTurnUp": "Girar hacia arriba", + "Common.define.effectData.textTurnUpRight": "Girar hacia arriba a la derecha", + "Common.define.effectData.textUnderline": "Subrayar", + "Common.define.effectData.textUp": "Arriba", + "Common.define.effectData.textVertical": "Vertical", + "Common.define.effectData.textVerticalFigure": "Figura 8 vertical", + "Common.define.effectData.textVerticalIn": "Vertical entrante", + "Common.define.effectData.textVerticalOut": "Vertical saliente", + "Common.define.effectData.textWave": "Onda", + "Common.define.effectData.textWedge": "Cuña", + "Common.define.effectData.textWheel": "Rueda", + "Common.define.effectData.textWhip": "Fusta", + "Common.define.effectData.textWipe": "Barrido", + "Common.define.effectData.textZigzag": "Zigzag", + "Common.define.effectData.textZoom": "Zoom", "Common.Translation.warnFileLocked": "El archivo está siendo editado en otra aplicación. Puede continuar editándolo y guardarlo como una copia.", "Common.Translation.warnFileLockedBtnEdit": "Crear copia", "Common.Translation.warnFileLockedBtnView": "Abrir para visualizar", "Common.UI.ButtonColored.textAutoColor": "Automático", - "Common.UI.ButtonColored.textNewColor": "Añadir nuevo color personalizado", + "Common.UI.ButtonColored.textNewColor": "Agregar nuevo color personalizado", "Common.UI.ComboBorderSize.txtNoBorders": "Sin bordes", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sin bordes", "Common.UI.ComboDataView.emptyComboText": "Sin estilo", - "Common.UI.ExtendedColorDialog.addButtonText": "Añadir", + "Common.UI.ExtendedColorDialog.addButtonText": "Agregar", "Common.UI.ExtendedColorDialog.textCurrent": "Actual", "Common.UI.ExtendedColorDialog.textHexErr": "El valor introducido es incorrecto.
Por favor, introduzca un valor de 000000 a FFFFFF.", "Common.UI.ExtendedColorDialog.textNew": "Nuevo", "Common.UI.ExtendedColorDialog.textRGBErr": "El valor introducido es incorrecto.
Por favor, introduzca un valor numérico de 0 a 225.", "Common.UI.HSBColorPicker.textNoColor": "Sin Color", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Ocultar la contraseña", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostrar la contraseña", "Common.UI.SearchDialog.textHighlight": "Resaltar resultados", "Common.UI.SearchDialog.textMatchCase": "Sensible a mayúsculas y minúsculas", "Common.UI.SearchDialog.textReplaceDef": "Introduzca el texto de sustitución", @@ -93,17 +282,18 @@ "Common.Views.About.txtAddress": "dirección: ", "Common.Views.About.txtLicensee": "LICENCIATARIO ", "Common.Views.About.txtLicensor": "LICENCIANTE", - "Common.Views.About.txtMail": "email: ", + "Common.Views.About.txtMail": "correo: ", "Common.Views.About.txtPoweredBy": "Desarrollado por", "Common.Views.About.txtTel": "tel.: ", "Common.Views.About.txtVersion": "Versión ", - "Common.Views.AutoCorrectDialog.textAdd": "Añadir", + "Common.Views.AutoCorrectDialog.textAdd": "Agregar", "Common.Views.AutoCorrectDialog.textApplyText": "Aplicar mientras escribe", "Common.Views.AutoCorrectDialog.textAutoCorrect": "Autocorrección de texto", "Common.Views.AutoCorrectDialog.textAutoFormat": "Autoformato mientras escribe", "Common.Views.AutoCorrectDialog.textBulleted": "Listas con viñetas automáticas", "Common.Views.AutoCorrectDialog.textBy": "Por", "Common.Views.AutoCorrectDialog.textDelete": "Eliminar", + "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", "Common.Views.AutoCorrectDialog.textHyphens": "Guiones (--) con guión largo (—)", @@ -122,19 +312,21 @@ "Common.Views.AutoCorrectDialog.textWarnAddRec": "Las funciones reconocidas deben contener solo letras de la A a la Z, mayúsculas o minúsculas.", "Common.Views.AutoCorrectDialog.textWarnResetRec": "Cualquier expresión que haya agregado se eliminará y las eliminadas se restaurarán. ¿Desea continuar?", "Common.Views.AutoCorrectDialog.warnReplace": "La entrada de autocorreción para %1 ya existe. ¿Desea reemplazarla?", - "Common.Views.AutoCorrectDialog.warnReset": "Cualquier autocorreción que haya agregado se eliminará y los modificados serán restaurados a sus valores originales. ¿Desea continuar?", + "Common.Views.AutoCorrectDialog.warnReset": "Las autocorrecciones que haya agregado se eliminarán y las modificadas recuperarán sus valores originales. ¿Desea continuar?", "Common.Views.AutoCorrectDialog.warnRestore": "La entrada de autocorrección para %1 será restablecida a su valor original. ¿Desea continuar?", "Common.Views.Chat.textSend": "Enviar", "Common.Views.Comments.mniAuthorAsc": "Autor de A a Z", "Common.Views.Comments.mniAuthorDesc": "Autor de Z a A", "Common.Views.Comments.mniDateAsc": "Más antiguo", "Common.Views.Comments.mniDateDesc": "Más reciente", + "Common.Views.Comments.mniFilterGroups": "Filtrar por grupo", "Common.Views.Comments.mniPositionAsc": "Desde arriba", "Common.Views.Comments.mniPositionDesc": "Desde abajo", - "Common.Views.Comments.textAdd": "Añadir", - "Common.Views.Comments.textAddComment": "Añadir", - "Common.Views.Comments.textAddCommentToDoc": "Añadir comentario a documento", - "Common.Views.Comments.textAddReply": "Añadir respuesta", + "Common.Views.Comments.textAdd": "Agregar", + "Common.Views.Comments.textAddComment": "Agregar comentario", + "Common.Views.Comments.textAddCommentToDoc": "Agregar comentario al documento", + "Common.Views.Comments.textAddReply": "Agregar respuesta", + "Common.Views.Comments.textAll": "Todo", "Common.Views.Comments.textAnonym": "Visitante", "Common.Views.Comments.textCancel": "Cancelar", "Common.Views.Comments.textClose": "Cerrar", @@ -142,12 +334,13 @@ "Common.Views.Comments.textComments": "Comentarios", "Common.Views.Comments.textEdit": "OK", "Common.Views.Comments.textEnterCommentHint": "Introduzca su comentario aquí", - "Common.Views.Comments.textHintAddComment": "Añadir comentario", + "Common.Views.Comments.textHintAddComment": "Agregar comentario", "Common.Views.Comments.textOpenAgain": "Abrir de nuevo", "Common.Views.Comments.textReply": "Responder", "Common.Views.Comments.textResolve": "Resolver", "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.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", @@ -238,14 +431,14 @@ "Common.Views.Plugins.textStop": "Detener", "Common.Views.Protection.hintAddPwd": "Encriptar con contraseña", "Common.Views.Protection.hintPwd": "Cambie o elimine la contraseña", - "Common.Views.Protection.hintSignature": "Añadir firma digital o", - "Common.Views.Protection.txtAddPwd": "Añadir contraseña", + "Common.Views.Protection.hintSignature": "Agregar firma digital o línea de firma", + "Common.Views.Protection.txtAddPwd": "Agregar contraseña", "Common.Views.Protection.txtChangePwd": "Cambiar contraseña", "Common.Views.Protection.txtDeletePwd": "Eliminar contraseña", "Common.Views.Protection.txtEncrypt": "Encriptar", - "Common.Views.Protection.txtInvisibleSignature": "Añadir firma digital", + "Common.Views.Protection.txtInvisibleSignature": "Agregar firma digital", "Common.Views.Protection.txtSignature": "Firma", - "Common.Views.Protection.txtSignatureLine": "Añadir línea de firma", + "Common.Views.Protection.txtSignatureLine": "Agregar línea de firma", "Common.Views.RenameDialog.textName": "Nombre de archivo", "Common.Views.RenameDialog.txtInvalidName": "El nombre de archivo no debe contener los símbolos siguientes:", "Common.Views.ReviewChanges.hintNext": "Al siguiente cambio", @@ -302,16 +495,17 @@ "Common.Views.ReviewChanges.txtSpelling": "Сorrección ortográfica", "Common.Views.ReviewChanges.txtTurnon": "Rastrear cambios", "Common.Views.ReviewChanges.txtView": "Modo de visualización", - "Common.Views.ReviewPopover.textAdd": "Añadir", - "Common.Views.ReviewPopover.textAddReply": "Añadir respuesta", + "Common.Views.ReviewPopover.textAdd": "Agregar", + "Common.Views.ReviewPopover.textAddReply": "Agregar respuesta", "Common.Views.ReviewPopover.textCancel": "Cancelar", "Common.Views.ReviewPopover.textClose": "Cerrar", "Common.Views.ReviewPopover.textEdit": "OK", - "Common.Views.ReviewPopover.textMention": "+mención proporcionará acceso al documento y enviará un correo electrónico", - "Common.Views.ReviewPopover.textMentionNotify": "+mención notificará al usuario por correo electrónico", + "Common.Views.ReviewPopover.textMention": "+mención proporcionará acceso al documento y enviará un correo", + "Common.Views.ReviewPopover.textMentionNotify": "+mención notificará al usuario por correo", "Common.Views.ReviewPopover.textOpenAgain": "Abrir de nuevo", "Common.Views.ReviewPopover.textReply": "Responder", "Common.Views.ReviewPopover.textResolve": "Resolver", + "Common.Views.ReviewPopover.textViewResolved": "No tiene permiso para volver a abrir el documento", "Common.Views.ReviewPopover.txtDeleteTip": "Eliminar", "Common.Views.ReviewPopover.txtEditTip": "Editar", "Common.Views.SaveAsDlg.textLoading": "Cargando", @@ -333,7 +527,7 @@ "Common.Views.SignDialog.textValid": "Válido desde %1 hasta %2", "Common.Views.SignDialog.tipFontName": "Nombre del tipo de letra", "Common.Views.SignDialog.tipFontSize": "Tamaño de letra", - "Common.Views.SignSettingsDialog.textAllowComment": "Permitir a quien firma añadir comentarios en el diálogo de firma", + "Common.Views.SignSettingsDialog.textAllowComment": "Permitir al firmante agregar comentarios en el diálogo de firma", "Common.Views.SignSettingsDialog.textInfo": "Información de quien firma", "Common.Views.SignSettingsDialog.textInfoEmail": "Correo electrónico", "Common.Views.SignSettingsDialog.textInfoName": "Nombre", @@ -400,7 +594,7 @@ "PE.Controllers.Main.errorDefaultMessage": "Código de error: %1", "PE.Controllers.Main.errorEditingDownloadas": "Se produjo un error durante el trabajo con el documento.
Use la opción 'Descargar como...' para guardar la copia de seguridad de este archivo en el disco duro de su computadora.", "PE.Controllers.Main.errorEditingSaveas": "Se produjo un error durante el trabajo con el documento.
Use la opción 'Guardar como...' para guardar la copia de seguridad de este archivo en el disco duro de su computadora.", - "PE.Controllers.Main.errorEmailClient": "No se pudo encontrar ningun cliente de email", + "PE.Controllers.Main.errorEmailClient": "No se pudo encontrar ningun cliente de correo", "PE.Controllers.Main.errorFilePassProtect": "El archivo está protegido por una contraseña y no puede ser abierto.", "PE.Controllers.Main.errorFileSizeExceed": "El tamaño del archivo supera la configuración del servidor.
Póngase en contacto con el administrador del servidor para obtener más detalles. ", "PE.Controllers.Main.errorForceSave": "Ha ocurrido un error mientras guardaba el archivo. Por favor use la opción \"Descargar\" para guardar el archivo en el disco duro de su ordenador o inténtelo de nuevo más tarde.", @@ -469,6 +663,7 @@ "PE.Controllers.Main.textLongName": "Escriba un nombre que tenga menos de 128 caracteres.", "PE.Controllers.Main.textNoLicenseTitle": "Se ha alcanzado el límite de licencias", "PE.Controllers.Main.textPaidFeature": "Función de pago", + "PE.Controllers.Main.textReconnect": "Se ha restablecido la conexión", "PE.Controllers.Main.textRemember": "Recordar mi elección para todos los archivos", "PE.Controllers.Main.textRenameError": "El nombre de usuario no debe estar vacío.", "PE.Controllers.Main.textRenameLabel": "Escriba un nombre que se utilizará para la colaboración", @@ -478,8 +673,8 @@ "PE.Controllers.Main.textTryUndoRedoWarn": "Las funciones Deshacer/Rehacer están desactivadas en el modo de co-edición rápido.", "PE.Controllers.Main.titleLicenseExp": "Licencia ha expirado", "PE.Controllers.Main.titleServerVersion": "Editor ha sido actualizado", - "PE.Controllers.Main.txtAddFirstSlide": "Haga clic para añadir la primera diapositiva", - "PE.Controllers.Main.txtAddNotes": "Haga clic para añadir notas", + "PE.Controllers.Main.txtAddFirstSlide": "Haga clic para agregar la primera diapositiva", + "PE.Controllers.Main.txtAddNotes": "Haga clic para agregar notas", "PE.Controllers.Main.txtArt": "Su texto aquí", "PE.Controllers.Main.txtBasicShapes": "Formas básicas", "PE.Controllers.Main.txtButtons": "Botones", @@ -750,6 +945,7 @@ "PE.Controllers.Main.warnNoLicense": "Usted ha alcanzado el límite de conexiones simultáneas con %1 editores. Este documento se abrirá sólo para su visualización.
Contacte con el equipo de ventas de %1 para conocer los términos de actualización personal.", "PE.Controllers.Main.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.", "PE.Controllers.Main.warnProcessRightsChange": "El derecho de edición del archivo es denegado.", + "PE.Controllers.Statusbar.textDisconnect": "Se ha perdido la conexión
Intentando conectar. Compruebe la configuración de la conexión.", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Toolbar.confirmAddFontName": "El tipo de letra que usted va a guardar no está disponible en este dispositivo.
El estilo de letra se mostrará usando uno de los tipos de letra del dispositivo, el tipo de letra guardado va a usarse cuando esté disponible.
¿Desea continuar?", "PE.Controllers.Toolbar.textAccent": "Acentos", @@ -1086,6 +1282,29 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Dseda", "PE.Controllers.Viewport.textFitPage": "Ajustar a la diapositiva", "PE.Controllers.Viewport.textFitWidth": "Ajustar al ancho", + "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.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.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.txtAddEffect": "Agregar animación", + "PE.Views.Animation.txtAnimationPane": "Panel de animación", + "PE.Views.Animation.txtParameters": "Parámetros", + "PE.Views.Animation.txtPreview": "Vista previa", + "PE.Views.Animation.txtSec": "S", + "PE.Views.AnimationDialog.textPreviewEffect": "Vista previa del efecto", + "PE.Views.AnimationDialog.textTitle": "Más efectos", "PE.Views.ChartSettings.textAdvanced": "Mostrar ajustes avanzados", "PE.Views.ChartSettings.textChartType": "Cambiar tipo de gráfico", "PE.Views.ChartSettings.textEditData": "Editar datos", @@ -1106,8 +1325,8 @@ "PE.Views.DateTimeDialog.textUpdate": "Actualizar automáticamente", "PE.Views.DateTimeDialog.txtTitle": "Fecha y hora", "PE.Views.DocumentHolder.aboveText": "Arriba", - "PE.Views.DocumentHolder.addCommentText": "Añadir comentario", - "PE.Views.DocumentHolder.addToLayoutText": "Añadir al Diseño", + "PE.Views.DocumentHolder.addCommentText": "Agregar comentario", + "PE.Views.DocumentHolder.addToLayoutText": "Agregar al Diseño", "PE.Views.DocumentHolder.advancedImageText": "Ajustes avanzados de imagen", "PE.Views.DocumentHolder.advancedParagraphText": "Ajustes avanzados de párrafo", "PE.Views.DocumentHolder.advancedShapeText": "Ajustes avanzados de forma", @@ -1165,6 +1384,7 @@ "PE.Views.DocumentHolder.textCut": "Cortar", "PE.Views.DocumentHolder.textDistributeCols": "Distribuir columnas", "PE.Views.DocumentHolder.textDistributeRows": "Distribuir filas", + "PE.Views.DocumentHolder.textEditPoints": "Modificar puntos", "PE.Views.DocumentHolder.textFlipH": "Voltear horizontalmente", "PE.Views.DocumentHolder.textFlipV": "Voltear verticalmente", "PE.Views.DocumentHolder.textFromFile": "De archivo", @@ -1186,16 +1406,16 @@ "PE.Views.DocumentHolder.textSlideSettings": "Ajustes de diapositiva", "PE.Views.DocumentHolder.textUndo": "Deshacer", "PE.Views.DocumentHolder.tipIsLocked": "Otro usuario está editando este elemento ahora.", - "PE.Views.DocumentHolder.toDictionaryText": "Añadir a Diccionario", - "PE.Views.DocumentHolder.txtAddBottom": "Añadir borde inferior", - "PE.Views.DocumentHolder.txtAddFractionBar": "Añadir barra de fracción", - "PE.Views.DocumentHolder.txtAddHor": "Añadir línea horizontal", - "PE.Views.DocumentHolder.txtAddLB": "Añadir línea inferior izquierda", - "PE.Views.DocumentHolder.txtAddLeft": "Añadir borde izquierdo", - "PE.Views.DocumentHolder.txtAddLT": "Añadir línea superior izquierda", - "PE.Views.DocumentHolder.txtAddRight": "Añadir borde derecho", - "PE.Views.DocumentHolder.txtAddTop": "Añadir borde superior", - "PE.Views.DocumentHolder.txtAddVer": "Añadir línea vertical", + "PE.Views.DocumentHolder.toDictionaryText": "Agregar al diccionario", + "PE.Views.DocumentHolder.txtAddBottom": "Agregar borde inferior", + "PE.Views.DocumentHolder.txtAddFractionBar": "Agregar barra de fracción", + "PE.Views.DocumentHolder.txtAddHor": "Agregar línea horizontal", + "PE.Views.DocumentHolder.txtAddLB": "Agregar línea inferior izquierda", + "PE.Views.DocumentHolder.txtAddLeft": "Agregar borde izquierdo", + "PE.Views.DocumentHolder.txtAddLT": "Agregar línea superior izquierda", + "PE.Views.DocumentHolder.txtAddRight": "Agregar borde derecho", + "PE.Views.DocumentHolder.txtAddTop": "Agregar borde superior", + "PE.Views.DocumentHolder.txtAddVer": "Agregar línea vertical", "PE.Views.DocumentHolder.txtAlign": "Alinear", "PE.Views.DocumentHolder.txtAlignToChar": "Alinear a carácter", "PE.Views.DocumentHolder.txtArrange": "Arreglar", @@ -1249,6 +1469,8 @@ "PE.Views.DocumentHolder.txtLimitUnder": "Límite debajo del texto", "PE.Views.DocumentHolder.txtMatchBrackets": "Coincidir corchetes con el alto de los argumentos", "PE.Views.DocumentHolder.txtMatrixAlign": "Alineación de la matriz", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "Desplazar la diapositiva al final", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "Desplazar la diapositiva al principio", "PE.Views.DocumentHolder.txtNewSlide": "Diapositiva nueva", "PE.Views.DocumentHolder.txtOverbar": "Barra sobre texto", "PE.Views.DocumentHolder.txtPasteDestFormat": "Use el tema de destino", @@ -1319,8 +1541,8 @@ "PE.Views.FileMenuPanels.CreateNew.txtBlank": "Presentación en blanco", "PE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Crear nueva", "PE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Aplicar", - "PE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Añadir autor", - "PE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Añadir texto", + "PE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Agregar autor", + "PE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Agregar texto", "PE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplicación", "PE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Autor", "PE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Cambiar derechos de acceso", @@ -1343,7 +1565,7 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Editar presentación", "PE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "La edición eliminará las firmas de la presentación.
¿Está seguro de que quiere continuar?", "PE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "Esta presentación se ha protegido con una contraseña", - "PE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Firmas válidas se han añadido a la presentación. La presentación está protegida y no se puede editar.", + "PE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Se han agregado firmas válidas al documento. El documento está protegido contra la edición.", "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", @@ -1355,7 +1577,7 @@ "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": "Añadir la versión al almacenamiento después de hacer clic en Guardar o Ctrl+S", + "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", @@ -1434,6 +1656,7 @@ "PE.Views.ImageSettings.textCrop": "Recortar", "PE.Views.ImageSettings.textCropFill": "Relleno", "PE.Views.ImageSettings.textCropFit": "Adaptar", + "PE.Views.ImageSettings.textCropToShape": "Recortar a la forma", "PE.Views.ImageSettings.textEdit": "Editar", "PE.Views.ImageSettings.textEditObject": "Editar objeto", "PE.Views.ImageSettings.textFitSlide": "Ajustar a la diapositiva", @@ -1448,6 +1671,7 @@ "PE.Views.ImageSettings.textHintFlipV": "Volteo Vertical", "PE.Views.ImageSettings.textInsert": "Reemplazar imagen", "PE.Views.ImageSettings.textOriginalSize": "Tamaño actual", + "PE.Views.ImageSettings.textRecentlyUsed": "Usados recientemente", "PE.Views.ImageSettings.textRotate90": "Girar 90°", "PE.Views.ImageSettings.textRotation": "Rotación", "PE.Views.ImageSettings.textSize": "Tamaño", @@ -1489,7 +1713,7 @@ "PE.Views.ParagraphSettings.textAt": "en", "PE.Views.ParagraphSettings.textAtLeast": "Por lo menos", "PE.Views.ParagraphSettings.textAuto": "Múltiple", - "PE.Views.ParagraphSettings.textExact": "Exacto", + "PE.Views.ParagraphSettings.textExact": "Exactamente", "PE.Views.ParagraphSettings.txtAutoText": "Auto", "PE.Views.ParagraphSettingsAdvanced.noTabs": "Las pestañas especificadas aparecerán en este campo", "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Mayúsculas", @@ -1569,6 +1793,7 @@ "PE.Views.ShapeSettings.textPatternFill": "Patrón", "PE.Views.ShapeSettings.textPosition": "Posición", "PE.Views.ShapeSettings.textRadial": "Radial", + "PE.Views.ShapeSettings.textRecentlyUsed": "Usados recientemente", "PE.Views.ShapeSettings.textRotate90": "Girar 90°", "PE.Views.ShapeSettings.textRotation": "Rotación", "PE.Views.ShapeSettings.textSelectImage": "Seleccionar imagen", @@ -1577,7 +1802,7 @@ "PE.Views.ShapeSettings.textStyle": "Estilo", "PE.Views.ShapeSettings.textTexture": "De textura", "PE.Views.ShapeSettings.textTile": "Mosaico", - "PE.Views.ShapeSettings.tipAddGradientPoint": "Añadir punto de degradado", + "PE.Views.ShapeSettings.tipAddGradientPoint": "Agregar punto de degradado", "PE.Views.ShapeSettings.tipRemoveGradientPoint": "Eliminar punto de degradado", "PE.Views.ShapeSettings.txtBrownPaper": "Papel marrón", "PE.Views.ShapeSettings.txtCanvas": "Lienzo", @@ -1643,7 +1868,7 @@ "PE.Views.SignatureSettings.txtContinueEditing": "Editar de todas maneras", "PE.Views.SignatureSettings.txtEditWarning": "La edición eliminará las firmas de la presentación.
¿Está seguro de que quiere continuar?", "PE.Views.SignatureSettings.txtRemoveWarning": "¿Desea eliminar esta firma?
No se puede deshacer.", - "PE.Views.SignatureSettings.txtSigned": "Firmas válidas se han añadido a la presentación. La presentación está protegida y no se puede editar.", + "PE.Views.SignatureSettings.txtSigned": "Se han agregado firmas válidas al documento. El documento está protegido contra la edición.", "PE.Views.SignatureSettings.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.SlideSettings.strBackground": "Color de fondo", "PE.Views.SlideSettings.strColor": "Color", @@ -1676,7 +1901,7 @@ "PE.Views.SlideSettings.textStyle": "Estilo", "PE.Views.SlideSettings.textTexture": "De textura", "PE.Views.SlideSettings.textTile": "Mosaico", - "PE.Views.SlideSettings.tipAddGradientPoint": "Añadir punto de degradado", + "PE.Views.SlideSettings.tipAddGradientPoint": "Agregar punto de degradado", "PE.Views.SlideSettings.tipRemoveGradientPoint": "Eliminar punto de degradado", "PE.Views.SlideSettings.txtBrownPaper": "Papel marrón", "PE.Views.SlideSettings.txtCanvas": "Lienzo", @@ -1821,7 +2046,7 @@ "PE.Views.TextArtSettings.textTexture": "De textura", "PE.Views.TextArtSettings.textTile": "Mosaico", "PE.Views.TextArtSettings.textTransform": "Transformar", - "PE.Views.TextArtSettings.tipAddGradientPoint": "Añadir punto de degradado", + "PE.Views.TextArtSettings.tipAddGradientPoint": "Agregar punto de degradado", "PE.Views.TextArtSettings.tipRemoveGradientPoint": "Eliminar punto de degradado", "PE.Views.TextArtSettings.txtBrownPaper": "Papel marrón", "PE.Views.TextArtSettings.txtCanvas": "Lienzo", @@ -1835,8 +2060,8 @@ "PE.Views.TextArtSettings.txtNoBorders": "Sin línea", "PE.Views.TextArtSettings.txtPapyrus": "Papiro", "PE.Views.TextArtSettings.txtWood": "Madera", - "PE.Views.Toolbar.capAddSlide": "Añadir diapositiva", - "PE.Views.Toolbar.capBtnAddComment": "Añadir comentario", + "PE.Views.Toolbar.capAddSlide": "Agregar diapositiva", + "PE.Views.Toolbar.capBtnAddComment": "Agregar comentario", "PE.Views.Toolbar.capBtnComment": "Comentario", "PE.Views.Toolbar.capBtnDateTime": "Fecha y hora", "PE.Views.Toolbar.capBtnInsHeader": "Pie de página", @@ -1885,6 +2110,7 @@ "PE.Views.Toolbar.textColumnsTwo": "Dos columnas", "PE.Views.Toolbar.textItalic": "Cursiva", "PE.Views.Toolbar.textListSettings": "Ajustes de lista", + "PE.Views.Toolbar.textRecentlyUsed": "Usados recientemente", "PE.Views.Toolbar.textShapeAlignBottom": "Alinear en la parte inferior", "PE.Views.Toolbar.textShapeAlignCenter": "Alinear al centro", "PE.Views.Toolbar.textShapeAlignLeft": "Alinear a la izquierda", @@ -1898,15 +2124,17 @@ "PE.Views.Toolbar.textStrikeout": "Tachado", "PE.Views.Toolbar.textSubscript": "Subíndice", "PE.Views.Toolbar.textSuperscript": "Sobreíndice", + "PE.Views.Toolbar.textTabAnimation": "Animación", "PE.Views.Toolbar.textTabCollaboration": "Colaboración", "PE.Views.Toolbar.textTabFile": "Archivo", "PE.Views.Toolbar.textTabHome": "Inicio", "PE.Views.Toolbar.textTabInsert": "Insertar", "PE.Views.Toolbar.textTabProtect": "Protección", "PE.Views.Toolbar.textTabTransitions": "Transiciones", + "PE.Views.Toolbar.textTabView": "Vista", "PE.Views.Toolbar.textTitleError": "Error", "PE.Views.Toolbar.textUnderline": "Subrayar", - "PE.Views.Toolbar.tipAddSlide": "Añadir diapositiva", + "PE.Views.Toolbar.tipAddSlide": "Agregar diapositiva", "PE.Views.Toolbar.tipBack": "Atrás", "PE.Views.Toolbar.tipChangeCase": "Cambiar mayúsculas y minúsculas", "PE.Views.Toolbar.tipChangeChart": "Cambiar tipo de gráfico", @@ -1930,7 +2158,7 @@ "PE.Views.Toolbar.tipInsertAudio": "Insertar audio", "PE.Views.Toolbar.tipInsertChart": "Insertar gráfico", "PE.Views.Toolbar.tipInsertEquation": "Insertar ecuación", - "PE.Views.Toolbar.tipInsertHyperlink": "Añadir hiperenlace", + "PE.Views.Toolbar.tipInsertHyperlink": "Agregar hipervínculo", "PE.Views.Toolbar.tipInsertImage": "Insertar imagen", "PE.Views.Toolbar.tipInsertShape": "Insertar autoforma", "PE.Views.Toolbar.tipInsertSymbol": "Insertar symboló", @@ -1957,6 +2185,7 @@ "PE.Views.Toolbar.tipViewSettings": "Mostrar ajustes", "PE.Views.Toolbar.txtDistribHor": "Distribuir horizontalmente", "PE.Views.Toolbar.txtDistribVert": "Distribuir verticalmente", + "PE.Views.Toolbar.txtDuplicateSlide": "Duplicar diapositiva", "PE.Views.Toolbar.txtGroup": "Agrupar", "PE.Views.Toolbar.txtObjectsAlign": "Alinear objetos seleccionados", "PE.Views.Toolbar.txtScheme1": "Oficina", @@ -2018,5 +2247,13 @@ "PE.Views.Transitions.txtApplyToAll": "Aplicar a todas las diapositivas", "PE.Views.Transitions.txtParameters": "Parámetros", "PE.Views.Transitions.txtPreview": "Vista previa", - "PE.Views.Transitions.txtSec": "S" + "PE.Views.Transitions.txtSec": "S", + "PE.Views.ViewTab.textAlwaysShowToolbar": "Mostrar siempre la barra de herramientas", + "PE.Views.ViewTab.textFitToSlide": "Ajustar a la diapositiva", + "PE.Views.ViewTab.textFitToWidth": "Ajustar al ancho", + "PE.Views.ViewTab.textInterfaceTheme": "Tema del interfaz", + "PE.Views.ViewTab.textNotes": "Notas", + "PE.Views.ViewTab.textRulers": "Reglas", + "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/fr.json b/apps/presentationeditor/main/locale/fr.json index 2c4d28c66..b46c2bfb5 100644 --- a/apps/presentationeditor/main/locale/fr.json +++ b/apps/presentationeditor/main/locale/fr.json @@ -47,6 +47,193 @@ "Common.define.chartData.textScatterSmoothMarker": "disperser avec des lignes lisses et marqueurs", "Common.define.chartData.textStock": "Boursier", "Common.define.chartData.textSurface": "Surface", + "Common.define.effectData.textAcross": "Horizontalement", + "Common.define.effectData.textAppear": "Apparaître", + "Common.define.effectData.textArcDown": "Arc vers le bas", + "Common.define.effectData.textArcLeft": "Arc à gauche", + "Common.define.effectData.textArcRight": "Arc à droite", + "Common.define.effectData.textArcUp": "Arc vers le haut", + "Common.define.effectData.textBasic": "Simple", + "Common.define.effectData.textBasicSwivel": "Rotation de base", + "Common.define.effectData.textBasicZoom": "Zoom simple", + "Common.define.effectData.textBean": "Haricot", + "Common.define.effectData.textBlinds": "Stores", + "Common.define.effectData.textBlink": "Clignoter", + "Common.define.effectData.textBoldFlash": "Flash marqué", + "Common.define.effectData.textBoldReveal": "Faire ressortir le gras", + "Common.define.effectData.textBoomerang": "Boomerang", + "Common.define.effectData.textBounce": "Rebondir", + "Common.define.effectData.textBounceLeft": "Rebondir à gauche", + "Common.define.effectData.textBounceRight": "Rebondir à droite", + "Common.define.effectData.textBox": "Carré", + "Common.define.effectData.textBrushColor": "Couleur de pinceau", + "Common.define.effectData.textCenterRevolve": "Rotation au centre", + "Common.define.effectData.textCheckerboard": "Damier", + "Common.define.effectData.textCircle": "Cercle", + "Common.define.effectData.textCollapse": "Réduire", + "Common.define.effectData.textColorPulse": "Impulsion couleur", + "Common.define.effectData.textComplementaryColor": "Couleur complémentaire", + "Common.define.effectData.textComplementaryColor2": "Couleur complémentaire 2", + "Common.define.effectData.textCompress": "Compresser", + "Common.define.effectData.textContrast": "Contraste", + "Common.define.effectData.textContrastingColor": "Couleur de contraste", + "Common.define.effectData.textCredits": "Crédits", + "Common.define.effectData.textCrescentMoon": "Croissant de lune", + "Common.define.effectData.textCurveDown": "Courbe vers le bas", + "Common.define.effectData.textCurvedSquare": "Carré courbé", + "Common.define.effectData.textCurvedX": "X courbé", + "Common.define.effectData.textCurvyLeft": "Gauche courbée", + "Common.define.effectData.textCurvyRight": "Droite courbée", + "Common.define.effectData.textCurvyStar": "Étoile courbée", + "Common.define.effectData.textCustomPath": "Chemin personnalisé", + "Common.define.effectData.textCuverUp": "Courbe vers le haut", + "Common.define.effectData.textDarken": "Assombrir", + "Common.define.effectData.textDecayingWave": "Vague tombante", + "Common.define.effectData.textDesaturate": "Désaturer", + "Common.define.effectData.textDiagonalDownRight": "Diagonale bas à droite", + "Common.define.effectData.textDiagonalUpRight": "Diagonal haut à droite", + "Common.define.effectData.textDiamond": "Losange", + "Common.define.effectData.textDisappear": "Disparaître", + "Common.define.effectData.textDissolveIn": "Dissolution interne", + "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.textEqualTriangle": "Triangle équilatéral", + "Common.define.effectData.textExciting": "Captivant", + "Common.define.effectData.textExit": "Effet de sortie", + "Common.define.effectData.textExpand": "Développer", + "Common.define.effectData.textFade": "Fondu", + "Common.define.effectData.textFigureFour": "Figure quatre 8", + "Common.define.effectData.textFillColor": "Couleur de remplissage", + "Common.define.effectData.textFlip": "Retourner", + "Common.define.effectData.textFloat": "Flottant", + "Common.define.effectData.textFloatDown": "Flottant vers le bas", + "Common.define.effectData.textFloatIn": "Flottant entrant", + "Common.define.effectData.textFloatOut": "Flottant sortant", + "Common.define.effectData.textFloatUp": "Flottant vers le haut", + "Common.define.effectData.textFlyIn": "Passage vers l’intérieur", + "Common.define.effectData.textFlyOut": "Passage vers l’extérieur", + "Common.define.effectData.textFontColor": "Couleur de police", + "Common.define.effectData.textFootball": "Football", + "Common.define.effectData.textFromBottom": "À partir du bas", + "Common.define.effectData.textFromBottomLeft": "À partir du coin inférieur gauche", + "Common.define.effectData.textFromBottomRight": "À partir du coin inférieur droit", + "Common.define.effectData.textFromLeft": "À partir de la gauche", + "Common.define.effectData.textFromRight": "À partir de la droite", + "Common.define.effectData.textFromTop": "À partir du haut", + "Common.define.effectData.textFromTopLeft": "À partir du coin supérieur gauche", + "Common.define.effectData.textFromTopRight": "À partir du coin supérieur droit", + "Common.define.effectData.textFunnel": "Entonnoir", + "Common.define.effectData.textGrowShrink": "Agrandir/Rétrécir", + "Common.define.effectData.textGrowTurn": "Agrandir et tourner", + "Common.define.effectData.textGrowWithColor": "Agrandir avec de la couleur", + "Common.define.effectData.textHeart": "Coeur", + "Common.define.effectData.textHeartbeat": "Pulsation", + "Common.define.effectData.textHexagon": "Hexagone", + "Common.define.effectData.textHorizontal": "Horizontal", + "Common.define.effectData.textHorizontalFigure": "Figure 8 horizontal", + "Common.define.effectData.textHorizontalIn": "Horizontal intérieur", + "Common.define.effectData.textHorizontalOut": "Horizontal extérieur", + "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.textInvertedSquare": "Carré inversé", + "Common.define.effectData.textInvertedTriangle": "Triangle inversé", + "Common.define.effectData.textLeft": "Gauche", + "Common.define.effectData.textLeftDown": "Gauche bas", + "Common.define.effectData.textLeftUp": "Gauche haut", + "Common.define.effectData.textLighten": "Éclaircir", + "Common.define.effectData.textLineColor": "Couleur du trait", + "Common.define.effectData.textLinesCurves": "Lignes сourbes", + "Common.define.effectData.textLoopDeLoop": "Boucle", + "Common.define.effectData.textModerate": "Modérer", + "Common.define.effectData.textNeutron": "Neutron", + "Common.define.effectData.textObjectCenter": "Centre de l’objet", + "Common.define.effectData.textObjectColor": "Couleur de l’objet", + "Common.define.effectData.textOctagon": "Octogone", + "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.textParallelogram": "Parallélogramme", + "Common.define.effectData.textPath": "Trajectoire du mouvement", + "Common.define.effectData.textPeanut": "Cacahuète", + "Common.define.effectData.textPeekIn": "Insertion furtive", + "Common.define.effectData.textPeekOut": "Sortie furtive", + "Common.define.effectData.textPentagon": "Pentagone", + "Common.define.effectData.textPinwheel": "Moulin à vent", + "Common.define.effectData.textPlus": "Plus", + "Common.define.effectData.textPointStar": "Étoile", + "Common.define.effectData.textPointStar4": "Étoile à 4 branches", + "Common.define.effectData.textPointStar5": "Étoile à 5 branches", + "Common.define.effectData.textPointStar6": "Étoile à 6 branches", + "Common.define.effectData.textPointStar8": "Étoile à 8 branches", + "Common.define.effectData.textPulse": "Pulsation", + "Common.define.effectData.textRandomBars": "Barres aléatoires", + "Common.define.effectData.textRight": "À droite", + "Common.define.effectData.textRightDown": " Droit bas", + "Common.define.effectData.textRightTriangle": "Triangle rectangle", + "Common.define.effectData.textRightUp": "Droit haut", + "Common.define.effectData.textRiseUp": "Élever", + "Common.define.effectData.textSCurve1": "Courbe S 1", + "Common.define.effectData.textSCurve2": "Courbe S 2", + "Common.define.effectData.textShape": "Forme", + "Common.define.effectData.textShimmer": "Miroiter", + "Common.define.effectData.textShrinkTurn": "Rétrécir et faire pivoter", + "Common.define.effectData.textSineWave": "Vague sinusoïdale", + "Common.define.effectData.textSinkDown": "Chute", + "Common.define.effectData.textSlideCenter": "Centre de la diapositive", + "Common.define.effectData.textSpecial": "Spécial", + "Common.define.effectData.textSpin": "Rotation", + "Common.define.effectData.textSpinner": "Tourbillon", + "Common.define.effectData.textSpiralIn": "Spirale vers l'intérieur", + "Common.define.effectData.textSpiralLeft": "Spirale à gauche", + "Common.define.effectData.textSpiralOut": "Spirale vers l'extérieur", + "Common.define.effectData.textSpiralRight": "Spirale à droite", + "Common.define.effectData.textSplit": "Fractionner", + "Common.define.effectData.textSpoke1": "1 rayon", + "Common.define.effectData.textSpoke2": "2 rayons", + "Common.define.effectData.textSpoke3": "3 rayons", + "Common.define.effectData.textSpoke4": "4 rayons", + "Common.define.effectData.textSpoke8": "8 rayons", + "Common.define.effectData.textSpring": "Ressort", + "Common.define.effectData.textSquare": "Carré", + "Common.define.effectData.textStairsDown": "Escalier descendant", + "Common.define.effectData.textStretch": "Étirer", + "Common.define.effectData.textStrips": "Bandes", + "Common.define.effectData.textSubtle": "Discret", + "Common.define.effectData.textSwivel": "Pivotant", + "Common.define.effectData.textSwoosh": "Swoosh", + "Common.define.effectData.textTeardrop": "Larme ", + "Common.define.effectData.textTeeter": "Chanceler", + "Common.define.effectData.textToBottom": "Vers le bas", + "Common.define.effectData.textToBottomLeft": "Vers le coin inférieur gauche", + "Common.define.effectData.textToBottomRight": "Vers le coin inférieur droit", + "Common.define.effectData.textToLeft": "Vers la gauche", + "Common.define.effectData.textToRight": "Vers la droite", + "Common.define.effectData.textToTop": "Vers le haut", + "Common.define.effectData.textToTopLeft": "Vers le coin supérieur gauche", + "Common.define.effectData.textToTopRight": "Vers le coins supérieur droit", + "Common.define.effectData.textTransparency": "Transparence", + "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.textTurnUp": "Tourner vers le haut", + "Common.define.effectData.textTurnUpRight": "Tourner vers le haut à droite", + "Common.define.effectData.textUnderline": "Souligner", + "Common.define.effectData.textUp": "En haut", + "Common.define.effectData.textVertical": "Vertical", + "Common.define.effectData.textVerticalFigure": "Figure 8 vertical", + "Common.define.effectData.textVerticalIn": "Verticalement vers l’avant", + "Common.define.effectData.textVerticalOut": "Verticalement vers l’arrière", + "Common.define.effectData.textWave": "Onde", + "Common.define.effectData.textWedge": "Coin", + "Common.define.effectData.textWheel": "Roue", + "Common.define.effectData.textWhip": "Fouet", + "Common.define.effectData.textWipe": "Effacer", + "Common.define.effectData.textZigzag": "Zigzag", + "Common.define.effectData.textZoom": "Zoom", "Common.Translation.warnFileLocked": "Ce fichier a été modifié avec une autre application. Vous pouvez continuer à le modifier et l'enregistrer comme une copie.", "Common.Translation.warnFileLockedBtnEdit": "Créer une copie", "Common.Translation.warnFileLockedBtnView": "Ouvrir pour visualisation", @@ -61,6 +248,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nouveau", "Common.UI.ExtendedColorDialog.textRGBErr": "La valeur saisie est incorrecte.
Entrez une valeur numérique de 0 à 255.", "Common.UI.HSBColorPicker.textNoColor": "Pas de couleur", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Masquer le mot de passe", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Afficher le mot de passe", "Common.UI.SearchDialog.textHighlight": "Surligner les résultats", "Common.UI.SearchDialog.textMatchCase": "Сas sensible", "Common.UI.SearchDialog.textReplaceDef": "Saisissez le texte de remplacement", @@ -104,6 +293,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Listes à puces automatiques", "Common.Views.AutoCorrectDialog.textBy": "Par", "Common.Views.AutoCorrectDialog.textDelete": "Supprimer", + "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", "Common.Views.AutoCorrectDialog.textHyphens": "Traits d’union (--) par un tiret (—)", @@ -129,12 +319,14 @@ "Common.Views.Comments.mniAuthorDesc": "Auteur de Z à A", "Common.Views.Comments.mniDateAsc": "Plus ancien", "Common.Views.Comments.mniDateDesc": "Plus récent", + "Common.Views.Comments.mniFilterGroups": "Filtrer par groupe", "Common.Views.Comments.mniPositionAsc": "Du haut", "Common.Views.Comments.mniPositionDesc": "Du bas", "Common.Views.Comments.textAdd": "Ajouter", "Common.Views.Comments.textAddComment": "Ajouter", "Common.Views.Comments.textAddCommentToDoc": "Ajouter un commentaire au document", "Common.Views.Comments.textAddReply": "Ajouter une réponse", + "Common.Views.Comments.textAll": "Tout", "Common.Views.Comments.textAnonym": "Invité", "Common.Views.Comments.textCancel": "Annuler", "Common.Views.Comments.textClose": "Fermer", @@ -148,6 +340,7 @@ "Common.Views.Comments.textResolve": "Résoudre", "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.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", @@ -312,6 +505,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Ouvrir à nouveau", "Common.Views.ReviewPopover.textReply": "Répondre", "Common.Views.ReviewPopover.textResolve": "Résoudre", + "Common.Views.ReviewPopover.textViewResolved": "Vous n'avez pas la permission de rouvrir le commentaire", "Common.Views.ReviewPopover.txtDeleteTip": "Supprimer", "Common.Views.ReviewPopover.txtEditTip": "Modifier", "Common.Views.SaveAsDlg.textLoading": "Chargement", @@ -469,6 +663,7 @@ "PE.Controllers.Main.textLongName": "Entrez un nom qui a moins de 128 caractères.", "PE.Controllers.Main.textNoLicenseTitle": "La limite de la licence est atteinte", "PE.Controllers.Main.textPaidFeature": "Fonction payante", + "PE.Controllers.Main.textReconnect": "La connexion est restaurée", "PE.Controllers.Main.textRemember": "Se souvenir de mon choix", "PE.Controllers.Main.textRenameError": "Le nom d'utilisateur ne peut être vide.", "PE.Controllers.Main.textRenameLabel": "Entrez un nom à utiliser pour la collaboration", @@ -750,6 +945,7 @@ "PE.Controllers.Main.warnNoLicense": "Vous avez dépassé le nombre maximal de connexions simultanées aux éditeurs %1. Ce document sera ouvert à la lecture seulement.
Contactez l’équipe des ventes %1 pour mettre à jour les termes de la licence.", "PE.Controllers.Main.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.", "PE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.", + "PE.Controllers.Statusbar.textDisconnect": "La connexion est perdue
Tentative de connexion. Veuillez vérifier les paramètres de connexion.", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Toolbar.confirmAddFontName": "La police que vous allez enregistrer n'est pas disponible sur l'appareil actuel.
Le style du texte sera affiché à l'aide de l'une des polices de système, la police sauvée sera utilisée lorsqu'elle est disponible.
Voulez-vous continuer?", "PE.Controllers.Toolbar.textAccent": "Types d'accentuation", @@ -1086,6 +1282,29 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zêta", "PE.Controllers.Viewport.textFitPage": "Ajuster à la diapositive", "PE.Controllers.Viewport.textFitWidth": "Ajuster à la largeur", + "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.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.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.textStartOnClick": "Au clic", + "PE.Views.Animation.textStartWithPrevious": "Avec la précédente", + "PE.Views.Animation.txtAddEffect": "Ajouter une animation", + "PE.Views.Animation.txtAnimationPane": "Volet Animation", + "PE.Views.Animation.txtParameters": "Paramètres", + "PE.Views.Animation.txtPreview": "Aperçu", + "PE.Views.Animation.txtSec": "s", + "PE.Views.AnimationDialog.textPreviewEffect": "Effet d'aperçu", + "PE.Views.AnimationDialog.textTitle": "Autres effets", "PE.Views.ChartSettings.textAdvanced": "Afficher les paramètres avancés", "PE.Views.ChartSettings.textChartType": "Modifier le type de graphique", "PE.Views.ChartSettings.textEditData": "Modifier les données", @@ -1165,6 +1384,7 @@ "PE.Views.DocumentHolder.textCut": "Couper", "PE.Views.DocumentHolder.textDistributeCols": "Distribuer les colonnes", "PE.Views.DocumentHolder.textDistributeRows": "Distribuer les lignes", + "PE.Views.DocumentHolder.textEditPoints": "Modifier les points", "PE.Views.DocumentHolder.textFlipH": "Retourner horizontalement", "PE.Views.DocumentHolder.textFlipV": "Retourner verticalement", "PE.Views.DocumentHolder.textFromFile": "D'un fichier", @@ -1249,6 +1469,8 @@ "PE.Views.DocumentHolder.txtLimitUnder": "Limite en dessous du texte", "PE.Views.DocumentHolder.txtMatchBrackets": "Egaler crochets à la hauteur de l'argument", "PE.Views.DocumentHolder.txtMatrixAlign": "Alignement de la matrice", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "Déplacer la diapositive vers la fin", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "Déplacer la diapositive au début", "PE.Views.DocumentHolder.txtNewSlide": "Nouvelle diapositive", "PE.Views.DocumentHolder.txtOverbar": "Barre au-dessus d'un texte", "PE.Views.DocumentHolder.txtPasteDestFormat": "Utiliser le thème de destination", @@ -1434,6 +1656,7 @@ "PE.Views.ImageSettings.textCrop": "Rogner", "PE.Views.ImageSettings.textCropFill": "Remplissage", "PE.Views.ImageSettings.textCropFit": "Ajuster", + "PE.Views.ImageSettings.textCropToShape": "Rogner à la forme", "PE.Views.ImageSettings.textEdit": "Modifier", "PE.Views.ImageSettings.textEditObject": "Modifier l'objet", "PE.Views.ImageSettings.textFitSlide": "Ajuster à la diapositive", @@ -1448,6 +1671,7 @@ "PE.Views.ImageSettings.textHintFlipV": "Retourner verticalement", "PE.Views.ImageSettings.textInsert": "Remplacer l’image", "PE.Views.ImageSettings.textOriginalSize": "Taille actuelle", + "PE.Views.ImageSettings.textRecentlyUsed": "Récemment utilisé", "PE.Views.ImageSettings.textRotate90": "Faire pivoter de 90°", "PE.Views.ImageSettings.textRotation": "Rotation", "PE.Views.ImageSettings.textSize": "Taille", @@ -1569,6 +1793,7 @@ "PE.Views.ShapeSettings.textPatternFill": "Modèle", "PE.Views.ShapeSettings.textPosition": "Position", "PE.Views.ShapeSettings.textRadial": "Radial", + "PE.Views.ShapeSettings.textRecentlyUsed": "Récemment utilisé", "PE.Views.ShapeSettings.textRotate90": "Faire pivoter de 90°", "PE.Views.ShapeSettings.textRotation": "Rotation", "PE.Views.ShapeSettings.textSelectImage": "Sélectionner l'image", @@ -1885,6 +2110,7 @@ "PE.Views.Toolbar.textColumnsTwo": "Deux colonnes", "PE.Views.Toolbar.textItalic": "Italique", "PE.Views.Toolbar.textListSettings": "Paramètres de la liste", + "PE.Views.Toolbar.textRecentlyUsed": "Récemment utilisé", "PE.Views.Toolbar.textShapeAlignBottom": "Aligner en bas", "PE.Views.Toolbar.textShapeAlignCenter": "Aligner au centre", "PE.Views.Toolbar.textShapeAlignLeft": "Aligner à gauche", @@ -1898,12 +2124,14 @@ "PE.Views.Toolbar.textStrikeout": "Barré", "PE.Views.Toolbar.textSubscript": "Indice", "PE.Views.Toolbar.textSuperscript": "Exposant", + "PE.Views.Toolbar.textTabAnimation": "Animation", "PE.Views.Toolbar.textTabCollaboration": "Collaboration", "PE.Views.Toolbar.textTabFile": "Fichier", "PE.Views.Toolbar.textTabHome": "Accueil", "PE.Views.Toolbar.textTabInsert": "Insertion", "PE.Views.Toolbar.textTabProtect": "Protection", "PE.Views.Toolbar.textTabTransitions": "Transitions", + "PE.Views.Toolbar.textTabView": "Afficher", "PE.Views.Toolbar.textTitleError": "Erreur", "PE.Views.Toolbar.textUnderline": "Souligné", "PE.Views.Toolbar.tipAddSlide": "Ajouter diapositive", @@ -1957,6 +2185,7 @@ "PE.Views.Toolbar.tipViewSettings": "Paramètres d'affichage", "PE.Views.Toolbar.txtDistribHor": "Distribuer horizontalement", "PE.Views.Toolbar.txtDistribVert": "Distribuer verticalement", + "PE.Views.Toolbar.txtDuplicateSlide": "Dupliquer la diapositive", "PE.Views.Toolbar.txtGroup": "Grouper", "PE.Views.Toolbar.txtObjectsAlign": "Aligner les objets sélectionnés", "PE.Views.Toolbar.txtScheme1": "Office", @@ -2018,5 +2247,13 @@ "PE.Views.Transitions.txtApplyToAll": "Appliquer à toutes les diapositives", "PE.Views.Transitions.txtParameters": "Paramètres", "PE.Views.Transitions.txtPreview": "Aperçu", - "PE.Views.Transitions.txtSec": "s" + "PE.Views.Transitions.txtSec": "s", + "PE.Views.ViewTab.textAlwaysShowToolbar": "Toujours afficher la barre d'outils", + "PE.Views.ViewTab.textFitToSlide": "Ajuster à la diapositive", + "PE.Views.ViewTab.textFitToWidth": "Ajuster à la largeur", + "PE.Views.ViewTab.textInterfaceTheme": "Thème d’interface", + "PE.Views.ViewTab.textNotes": "Notes", + "PE.Views.ViewTab.textRulers": "Règles", + "PE.Views.ViewTab.textStatusBar": "Barre d'état", + "PE.Views.ViewTab.textZoom": "Zoom" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/gl.json b/apps/presentationeditor/main/locale/gl.json index c5c4e4dfa..fbf7977bc 100644 --- a/apps/presentationeditor/main/locale/gl.json +++ b/apps/presentationeditor/main/locale/gl.json @@ -47,6 +47,193 @@ "Common.define.chartData.textScatterSmoothMarker": "Dispersión coas liñas suavizadas e marcadores", "Common.define.chartData.textStock": "De cotizacións", "Common.define.chartData.textSurface": "Superficie", + "Common.define.effectData.textAcross": "Horizontal", + "Common.define.effectData.textAppear": "Aparecer", + "Common.define.effectData.textArcDown": "Arco para abaixo", + "Common.define.effectData.textArcLeft": "Arco cara a esquerda", + "Common.define.effectData.textArcRight": "Arco cara a dereita", + "Common.define.effectData.textArcUp": "Arco para ariba", + "Common.define.effectData.textBasic": "Básico", + "Common.define.effectData.textBasicSwivel": "Xiro básico", + "Common.define.effectData.textBasicZoom": "Ampliación básica", + "Common.define.effectData.textBean": "Faba", + "Common.define.effectData.textBlinds": "Persianas", + "Common.define.effectData.textBlink": "Intermitente", + "Common.define.effectData.textBoldFlash": "Flash en grosa", + "Common.define.effectData.textBoldReveal": "Revelar en grosa", + "Common.define.effectData.textBoomerang": "Búmerang", + "Common.define.effectData.textBounce": "Rebote", + "Common.define.effectData.textBounceLeft": "Rebote á esquerda", + "Common.define.effectData.textBounceRight": "Rebote á dereita", + "Common.define.effectData.textBox": "Caixa", + "Common.define.effectData.textBrushColor": "Cor do pincel", + "Common.define.effectData.textCenterRevolve": "Xirar cara ao centro", + "Common.define.effectData.textCheckerboard": "Cadros bicolores", + "Common.define.effectData.textCircle": "Círculo", + "Common.define.effectData.textCollapse": "Contraer", + "Common.define.effectData.textColorPulse": "Pulso de color", + "Common.define.effectData.textComplementaryColor": "Cor complementaria", + "Common.define.effectData.textComplementaryColor2": "Cor complementaria 2", + "Common.define.effectData.textCompress": "Comprimir", + "Common.define.effectData.textContrast": "Contraste", + "Common.define.effectData.textContrastingColor": "Cor de contraste", + "Common.define.effectData.textCredits": "Créditos", + "Common.define.effectData.textCrescentMoon": "Lúa crecente", + "Common.define.effectData.textCurveDown": "Curva para abaixo", + "Common.define.effectData.textCurvedSquare": "Cadrado curvado", + "Common.define.effectData.textCurvedX": "X curvado", + "Common.define.effectData.textCurvyLeft": "Curvas á esquerda", + "Common.define.effectData.textCurvyRight": "Curvas á dereita", + "Common.define.effectData.textCurvyStar": "Estrela curvada", + "Common.define.effectData.textCustomPath": "Ruta personalizada", + "Common.define.effectData.textCuverUp": "Curva para arriba", + "Common.define.effectData.textDarken": "Escurecer", + "Common.define.effectData.textDecayingWave": "Onda descendente", + "Common.define.effectData.textDesaturate": "Saturación reducida", + "Common.define.effectData.textDiagonalDownRight": "Diagonal cara abaixo dereita", + "Common.define.effectData.textDiagonalUpRight": "Diagonal para arriba dereita", + "Common.define.effectData.textDiamond": "Diamante", + "Common.define.effectData.textDisappear": "Desaparecer", + "Common.define.effectData.textDissolveIn": "Disolver en", + "Common.define.effectData.textDissolveOut": "Disolver fóra", + "Common.define.effectData.textDown": "Abaixo", + "Common.define.effectData.textDrop": "Colocar", + "Common.define.effectData.textEmphasis": "Efecto de énfase", + "Common.define.effectData.textEntrance": "Efecto de entrada", + "Common.define.effectData.textEqualTriangle": "Triángulo equilátero", + "Common.define.effectData.textExciting": "Emocionante", + "Common.define.effectData.textExit": "Efecto de saída", + "Common.define.effectData.textExpand": "Expandir", + "Common.define.effectData.textFade": "Esvaecer", + "Common.define.effectData.textFigureFour": "Figura 8 catro veces", + "Common.define.effectData.textFillColor": "Cor para encher", + "Common.define.effectData.textFlip": "Xirar", + "Common.define.effectData.textFloat": "Flotante", + "Common.define.effectData.textFloatDown": "Flotante cara abaixo", + "Common.define.effectData.textFloatIn": "Flotante dentro", + "Common.define.effectData.textFloatOut": "Flotante fóra", + "Common.define.effectData.textFloatUp": "Flotante arriba", + "Common.define.effectData.textFlyIn": "Voar en", + "Common.define.effectData.textFlyOut": "Voar fora", + "Common.define.effectData.textFontColor": "Cor da fonte", + "Common.define.effectData.textFootball": "Fútbol", + "Common.define.effectData.textFromBottom": "Desde abaixo", + "Common.define.effectData.textFromBottomLeft": "Desde a parte inferior esquerda", + "Common.define.effectData.textFromBottomRight": "Desde a parte inferior dereita", + "Common.define.effectData.textFromLeft": "Desde a esquerda", + "Common.define.effectData.textFromRight": "Desde a dereita", + "Common.define.effectData.textFromTop": "Desde enriba", + "Common.define.effectData.textFromTopLeft": "Desde a parte superior esquerda", + "Common.define.effectData.textFromTopRight": "Desde a parte superior dereita", + "Common.define.effectData.textFunnel": "Funil", + "Common.define.effectData.textGrowShrink": "Aumentar/Encoller", + "Common.define.effectData.textGrowTurn": "Aumentar e xirar", + "Common.define.effectData.textGrowWithColor": "Aumentar coa cor", + "Common.define.effectData.textHeart": "Corazón", + "Common.define.effectData.textHeartbeat": "Latexo", + "Common.define.effectData.textHexagon": "Hexágono", + "Common.define.effectData.textHorizontal": "Horizontal", + "Common.define.effectData.textHorizontalFigure": "Figura 8 horizontal", + "Common.define.effectData.textHorizontalIn": "Horizontal entrante", + "Common.define.effectData.textHorizontalOut": "Horizontal saínte", + "Common.define.effectData.textIn": "En", + "Common.define.effectData.textInFromScreenCenter": "Aumentar desde o centro de pantalla", + "Common.define.effectData.textInSlightly": "Achegar lixeiramente", + "Common.define.effectData.textInvertedSquare": "Cadrado invertido", + "Common.define.effectData.textInvertedTriangle": "Triángulo invertido", + "Common.define.effectData.textLeft": "Esquerda", + "Common.define.effectData.textLeftDown": "Esquerda e abaixo", + "Common.define.effectData.textLeftUp": "Esquerda e enriba", + "Common.define.effectData.textLighten": "Alumear", + "Common.define.effectData.textLineColor": "Cor da liña", + "Common.define.effectData.textLinesCurves": "Liñas curvas", + "Common.define.effectData.textLoopDeLoop": "Bucle do bucle", + "Common.define.effectData.textModerate": "Moderado", + "Common.define.effectData.textNeutron": "Neutrón", + "Common.define.effectData.textObjectCenter": "Centro do obxecto", + "Common.define.effectData.textObjectColor": "Cor do obxecto", + "Common.define.effectData.textOctagon": "Octágono", + "Common.define.effectData.textOut": "Fóra", + "Common.define.effectData.textOutFromScreenBottom": "Alonxar desde a zona inferior da pantalla", + "Common.define.effectData.textOutSlightly": "Alonxar lixeiramente", + "Common.define.effectData.textParallelogram": "Paralelograma", + "Common.define.effectData.textPath": "Ruta do movemento", + "Common.define.effectData.textPeanut": "Cacahuete", + "Common.define.effectData.textPeekIn": "Despregar cara arriba", + "Common.define.effectData.textPeekOut": "Despregar cara abaixo", + "Common.define.effectData.textPentagon": "Pentágono", + "Common.define.effectData.textPinwheel": "Molinete", + "Common.define.effectData.textPlus": "Máis", + "Common.define.effectData.textPointStar": "Estrela de puntas", + "Common.define.effectData.textPointStar4": "Estrela de 4 puntas", + "Common.define.effectData.textPointStar5": "Estrela de 5 puntas", + "Common.define.effectData.textPointStar6": "Estrela de 6 puntas", + "Common.define.effectData.textPointStar8": "Estrela de 8 puntas", + "Common.define.effectData.textPulse": "Impulso", + "Common.define.effectData.textRandomBars": "Barras aleatorias", + "Common.define.effectData.textRight": "Dereita", + "Common.define.effectData.textRightDown": "Dereita e abaixo", + "Common.define.effectData.textRightTriangle": "Triángulo rectángulo", + "Common.define.effectData.textRightUp": "Dereita e enriba", + "Common.define.effectData.textRiseUp": "Despregar cara arriba", + "Common.define.effectData.textSCurve1": "Curva S 1", + "Common.define.effectData.textSCurve2": "Curva S 2", + "Common.define.effectData.textShape": "Forma", + "Common.define.effectData.textShimmer": "Brillo", + "Common.define.effectData.textShrinkTurn": "Reducir e xirar", + "Common.define.effectData.textSineWave": "Onda sinusoidal", + "Common.define.effectData.textSinkDown": "Afundirse", + "Common.define.effectData.textSlideCenter": "Centro da diapositiva", + "Common.define.effectData.textSpecial": "Especial", + "Common.define.effectData.textSpin": "Xirar", + "Common.define.effectData.textSpinner": "Centrifugado", + "Common.define.effectData.textSpiralIn": "Espiral cara dentro", + "Common.define.effectData.textSpiralLeft": "Espiral cara a esquerda", + "Common.define.effectData.textSpiralOut": "Espiral cara fóra", + "Common.define.effectData.textSpiralRight": "Espiral cara a dereita", + "Common.define.effectData.textSplit": "Dividir", + "Common.define.effectData.textSpoke1": "1 radio", + "Common.define.effectData.textSpoke2": "2 radios", + "Common.define.effectData.textSpoke3": "3 radios", + "Common.define.effectData.textSpoke4": "4 radios", + "Common.define.effectData.textSpoke8": "8 radios", + "Common.define.effectData.textSpring": "Resorte", + "Common.define.effectData.textSquare": "Cadrado", + "Common.define.effectData.textStairsDown": "Escaleiras abaixo", + "Common.define.effectData.textStretch": "Alongar", + "Common.define.effectData.textStrips": "Raias", + "Common.define.effectData.textSubtle": "Sutil", + "Common.define.effectData.textSwivel": "Xirar", + "Common.define.effectData.textSwoosh": "Asubío", + "Common.define.effectData.textTeardrop": "Bágoa", + "Common.define.effectData.textTeeter": "Tambalear", + "Common.define.effectData.textToBottom": "Cara abaixo", + "Common.define.effectData.textToBottomLeft": "Cara abaixo á esquerda", + "Common.define.effectData.textToBottomRight": "Cara abaixo á dereita", + "Common.define.effectData.textToLeft": "Á esquerda", + "Common.define.effectData.textToRight": "Á dereita", + "Common.define.effectData.textToTop": "Cara arriba", + "Common.define.effectData.textToTopLeft": "Cara arriba á esquerda", + "Common.define.effectData.textToTopRight": "Cara arriba á dereita", + "Common.define.effectData.textTransparency": "Transparencia", + "Common.define.effectData.textTrapezoid": "Trapecio", + "Common.define.effectData.textTurnDown": "Xiro cara abaixo", + "Common.define.effectData.textTurnDownRight": "Xirar cara abaixo e á dereita", + "Common.define.effectData.textTurnUp": "Xirar cara arriba", + "Common.define.effectData.textTurnUpRight": "Xirar cara arriba á dereita", + "Common.define.effectData.textUnderline": "Subliñado", + "Common.define.effectData.textUp": "Arriba", + "Common.define.effectData.textVertical": "Vertical", + "Common.define.effectData.textVerticalFigure": "Figura 8 vertical", + "Common.define.effectData.textVerticalIn": "Vertical entrante", + "Common.define.effectData.textVerticalOut": "Vertical saínte", + "Common.define.effectData.textWave": "Onda", + "Common.define.effectData.textWedge": "Triangular", + "Common.define.effectData.textWheel": "Roda", + "Common.define.effectData.textWhip": "Látego", + "Common.define.effectData.textWipe": "Eliminar", + "Common.define.effectData.textZigzag": "Zigzag", + "Common.define.effectData.textZoom": "Ampliar", "Common.Translation.warnFileLocked": "O ficheiro está a editarse noutro aplicativo. Podes continuar editándoo e gardándoo como copia.", "Common.Translation.warnFileLockedBtnEdit": "Crear unha copia", "Common.Translation.warnFileLockedBtnView": "Abrir para visualizar", @@ -61,6 +248,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Novo", "Common.UI.ExtendedColorDialog.textRGBErr": "O valor introducido é incorrecto.
Insira un valor numérico entre 0 e 255.", "Common.UI.HSBColorPicker.textNoColor": "Sen cor", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Agochar o contrasinal", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Amosar o contrasinal", "Common.UI.SearchDialog.textHighlight": "Realzar resultados", "Common.UI.SearchDialog.textMatchCase": "Diferenciar maiúsculas de minúsculas", "Common.UI.SearchDialog.textReplaceDef": "Inserir o texto da substitución", @@ -104,6 +293,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Listas con viñetas automáticas", "Common.Views.AutoCorrectDialog.textBy": "Por", "Common.Views.AutoCorrectDialog.textDelete": "Eliminar", + "Common.Views.AutoCorrectDialog.textFLCells": "Poñer en maiúsculas a primeira letra das celas da táboa", "Common.Views.AutoCorrectDialog.textFLSentence": "Poñer en maiúscula a primeira letra dunha oración", "Common.Views.AutoCorrectDialog.textHyperlink": "Rutas da rede e Internet por hiperligazóns", "Common.Views.AutoCorrectDialog.textHyphens": "Guións (--) con guión longo (—)", @@ -129,12 +319,14 @@ "Common.Views.Comments.mniAuthorDesc": "Autor do Z a A", "Common.Views.Comments.mniDateAsc": "Máis antigo", "Common.Views.Comments.mniDateDesc": "Novidades", + "Common.Views.Comments.mniFilterGroups": "Filtrar por grupo", "Common.Views.Comments.mniPositionAsc": "Desde enriba", "Common.Views.Comments.mniPositionDesc": "Desde abaixo", "Common.Views.Comments.textAdd": "Engadir", "Common.Views.Comments.textAddComment": "Engadir comentario", "Common.Views.Comments.textAddCommentToDoc": "Engadir comentario ao documento", "Common.Views.Comments.textAddReply": "Engadir resposta", + "Common.Views.Comments.textAll": "Todo", "Common.Views.Comments.textAnonym": "Convidado(a)", "Common.Views.Comments.textCancel": "Cancelar", "Common.Views.Comments.textClose": "Pechar", @@ -148,6 +340,7 @@ "Common.Views.Comments.textResolve": "Resolver", "Common.Views.Comments.textResolved": "Resolto", "Common.Views.Comments.textSort": "Ordenar comentarios", + "Common.Views.Comments.textViewResolved": "Non ten permiso para volver a abrir o documento", "Common.Views.CopyWarningDialog.textDontShow": "Non volver a amosar esta mensaxe", "Common.Views.CopyWarningDialog.textMsg": "As accións de copiar, cortar e pegar empregando os botóns da barra de ferramentas do editor e as accións do menú contextual realizaranse só nesta pestana do editor.

Para copiar ou pegar en ou desde aplicativos fóra da pestana do editor, use as seguintes combinacións de teclado:", "Common.Views.CopyWarningDialog.textTitle": "Accións de copiar, cortar e pegar", @@ -312,6 +505,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Abrir novamente", "Common.Views.ReviewPopover.textReply": "Responder", "Common.Views.ReviewPopover.textResolve": "Resolver", + "Common.Views.ReviewPopover.textViewResolved": "Non ten permiso para volver a abrir o documento", "Common.Views.ReviewPopover.txtDeleteTip": "Eliminar", "Common.Views.ReviewPopover.txtEditTip": "Editar", "Common.Views.SaveAsDlg.textLoading": "Cargando", @@ -469,6 +663,7 @@ "PE.Controllers.Main.textLongName": "Insira un nome que teña menos de 128 caracteres.", "PE.Controllers.Main.textNoLicenseTitle": "Alcanzouse o límite da licenza", "PE.Controllers.Main.textPaidFeature": "Característica de pago", + "PE.Controllers.Main.textReconnect": "Restaurouse a conexión", "PE.Controllers.Main.textRemember": "Recordar a miña elección para todos os ficheiros", "PE.Controllers.Main.textRenameError": "O nome de usuario non pode estar vacío.", "PE.Controllers.Main.textRenameLabel": "Insira un nome que se usará para a colaboración", @@ -750,6 +945,7 @@ "PE.Controllers.Main.warnNoLicense": "Alcanzou o límite de conexións simultáneas con %1 editores. Este documento abrirase só para as úa visualización.
Contacte co equipo de vendas de %1 para coñecer os termos de actualización persoal.", "PE.Controllers.Main.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.", "PE.Controllers.Main.warnProcessRightsChange": "O dereito de edición dp ficheiro é denegado.", + "PE.Controllers.Statusbar.textDisconnect": "Perdeuse a conexión
Intentando conectarse. Comproba a configuración de conexión.", "PE.Controllers.Statusbar.zoomText": "Ampliar {0}%", "PE.Controllers.Toolbar.confirmAddFontName": "A fonte que vai gardar non está dispoñible no dispositivo actual.
O estilo de texto amosarase empregando unha das fontes do sistema, a fonte gardada utilizarase cando estea dispoñible.
Quere continuar?", "PE.Controllers.Toolbar.textAccent": "Acentos", @@ -1086,6 +1282,29 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Axustar á diapositiva", "PE.Controllers.Viewport.textFitWidth": "Axustar á anchura", + "PE.Views.Animation.strDelay": "Atraso", + "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": "Desencadeador", + "PE.Views.Animation.textMoreEffects": "Amosar máis efectos", + "PE.Views.Animation.textMoveEarlier": "Mover antes", + "PE.Views.Animation.textMoveLater": "Mover despois", + "PE.Views.Animation.textMultiple": "Múltiple", + "PE.Views.Animation.textNone": "Ningún", + "PE.Views.Animation.textOnClickOf": "Ao premer con", + "PE.Views.Animation.textOnClickSequence": "Secuencia de premas", + "PE.Views.Animation.textStartAfterPrevious": "Despois da anterior", + "PE.Views.Animation.textStartOnClick": "Ao premer", + "PE.Views.Animation.textStartWithPrevious": "Coa anterior", + "PE.Views.Animation.txtAddEffect": "Engadir animación", + "PE.Views.Animation.txtAnimationPane": "Panel de animación", + "PE.Views.Animation.txtParameters": "Parámetros", + "PE.Views.Animation.txtPreview": "Vista previa", + "PE.Views.Animation.txtSec": "S", + "PE.Views.AnimationDialog.textPreviewEffect": "Vista previa do efecto", + "PE.Views.AnimationDialog.textTitle": "Máis efectos", "PE.Views.ChartSettings.textAdvanced": "Amosar configuración avanzado", "PE.Views.ChartSettings.textChartType": "Cambiar tipo de gráfico", "PE.Views.ChartSettings.textEditData": "Editar datos", @@ -1165,6 +1384,7 @@ "PE.Views.DocumentHolder.textCut": "Cortar", "PE.Views.DocumentHolder.textDistributeCols": "Distribuír columnas", "PE.Views.DocumentHolder.textDistributeRows": "Distribuír filas", + "PE.Views.DocumentHolder.textEditPoints": "Editar puntos", "PE.Views.DocumentHolder.textFlipH": "Virar horizontalmente", "PE.Views.DocumentHolder.textFlipV": "Virar verticalmente", "PE.Views.DocumentHolder.textFromFile": "Do ficheiro", @@ -1249,6 +1469,8 @@ "PE.Views.DocumentHolder.txtLimitUnder": "Límite debaixo do texto", "PE.Views.DocumentHolder.txtMatchBrackets": "Coincidir corchetes co alto dos argumentos", "PE.Views.DocumentHolder.txtMatrixAlign": "Aliñamento de matriz", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "Desprazar a diapositiva á fin", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "Desprazar a diapositiva ao principio", "PE.Views.DocumentHolder.txtNewSlide": "Nova diapositiva", "PE.Views.DocumentHolder.txtOverbar": "Barra sobre texto", "PE.Views.DocumentHolder.txtPasteDestFormat": "Use o tema de destino", @@ -1434,6 +1656,7 @@ "PE.Views.ImageSettings.textCrop": "Recortar", "PE.Views.ImageSettings.textCropFill": "Encher", "PE.Views.ImageSettings.textCropFit": "Adaptar", + "PE.Views.ImageSettings.textCropToShape": "Cortar para dar forma", "PE.Views.ImageSettings.textEdit": "Editar", "PE.Views.ImageSettings.textEditObject": "Editar obxecto", "PE.Views.ImageSettings.textFitSlide": "Axustar á diapositiva", @@ -1448,6 +1671,7 @@ "PE.Views.ImageSettings.textHintFlipV": "Virar verticalmente", "PE.Views.ImageSettings.textInsert": "Substituír imaxe", "PE.Views.ImageSettings.textOriginalSize": "Tamaño real", + "PE.Views.ImageSettings.textRecentlyUsed": "Usados recentemente", "PE.Views.ImageSettings.textRotate90": "Xirar 90°", "PE.Views.ImageSettings.textRotation": "Rotación", "PE.Views.ImageSettings.textSize": "Tamaño", @@ -1569,6 +1793,7 @@ "PE.Views.ShapeSettings.textPatternFill": "Patrón", "PE.Views.ShapeSettings.textPosition": "Posición", "PE.Views.ShapeSettings.textRadial": "Radial", + "PE.Views.ShapeSettings.textRecentlyUsed": "Usados recentemente", "PE.Views.ShapeSettings.textRotate90": "Xirar 90°", "PE.Views.ShapeSettings.textRotation": "Rotación", "PE.Views.ShapeSettings.textSelectImage": "Seleccionar imaxe", @@ -1885,6 +2110,7 @@ "PE.Views.Toolbar.textColumnsTwo": "Dúas columnas", "PE.Views.Toolbar.textItalic": "Cursiva", "PE.Views.Toolbar.textListSettings": "COnfiguración da lista", + "PE.Views.Toolbar.textRecentlyUsed": "Usados recentemente", "PE.Views.Toolbar.textShapeAlignBottom": "Aliñar á parte inferior", "PE.Views.Toolbar.textShapeAlignCenter": "Aliñar no centro", "PE.Views.Toolbar.textShapeAlignLeft": "Aliñar á esquerda", @@ -1898,12 +2124,14 @@ "PE.Views.Toolbar.textStrikeout": "Riscado", "PE.Views.Toolbar.textSubscript": "Subscrito", "PE.Views.Toolbar.textSuperscript": "Sobrescrito", + "PE.Views.Toolbar.textTabAnimation": "Animación", "PE.Views.Toolbar.textTabCollaboration": "Colaboración", "PE.Views.Toolbar.textTabFile": "Ficheiro", "PE.Views.Toolbar.textTabHome": "Inicio", "PE.Views.Toolbar.textTabInsert": "Inserir", "PE.Views.Toolbar.textTabProtect": "Protección", "PE.Views.Toolbar.textTabTransitions": "Transicións", + "PE.Views.Toolbar.textTabView": "Vista", "PE.Views.Toolbar.textTitleError": "Erro", "PE.Views.Toolbar.textUnderline": "Subliñado", "PE.Views.Toolbar.tipAddSlide": "Engadir dispositiva", @@ -1957,6 +2185,7 @@ "PE.Views.Toolbar.tipViewSettings": "Amosar configuración", "PE.Views.Toolbar.txtDistribHor": "Distribuír horizontalmente", "PE.Views.Toolbar.txtDistribVert": "Distribuír verticalmente", + "PE.Views.Toolbar.txtDuplicateSlide": "Duplicar diapositiva", "PE.Views.Toolbar.txtGroup": "Grupo", "PE.Views.Toolbar.txtObjectsAlign": "Aliñar obxectos seleccionados", "PE.Views.Toolbar.txtScheme1": "Oficina", @@ -2018,5 +2247,13 @@ "PE.Views.Transitions.txtApplyToAll": "Aplicar a todas as diapositivas", "PE.Views.Transitions.txtParameters": "Parámetros", "PE.Views.Transitions.txtPreview": "Vista previa", - "PE.Views.Transitions.txtSec": "s" + "PE.Views.Transitions.txtSec": "s", + "PE.Views.ViewTab.textAlwaysShowToolbar": "Amosar sempre a barra de ferramentas", + "PE.Views.ViewTab.textFitToSlide": "Axustar á diapositiva", + "PE.Views.ViewTab.textFitToWidth": "Axustar á anchura", + "PE.Views.ViewTab.textInterfaceTheme": "Tema da interface", + "PE.Views.ViewTab.textNotes": "Notas", + "PE.Views.ViewTab.textRulers": "Regras", + "PE.Views.ViewTab.textStatusBar": "Barra de estado", + "PE.Views.ViewTab.textZoom": "Ampliar" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/hu.json b/apps/presentationeditor/main/locale/hu.json index f63fd3844..9ac5a3b5d 100644 --- a/apps/presentationeditor/main/locale/hu.json +++ b/apps/presentationeditor/main/locale/hu.json @@ -47,6 +47,10 @@ "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.textLeftDown": "Balra le", + "Common.define.effectData.textLeftUp": "Balra fel", + "Common.define.effectData.textRightDown": "Jobbra le", + "Common.define.effectData.textRightUp": "Jobbra fel", "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", @@ -750,6 +754,7 @@ "PE.Controllers.Main.warnNoLicense": "Elérte a(z) %1 szerkesztőhöz tartozó egyidejű csatlakozás korlátját. Ez a dokumentum csak megtekintésre nyílik meg.
Vegye fel a kapcsolatot a(z) %1 értékesítési csapattal a személyes frissítési feltételekért.", "PE.Controllers.Main.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.", "PE.Controllers.Main.warnProcessRightsChange": "Nincs joga szerkeszteni a fájl-t.", + "PE.Controllers.Statusbar.textDisconnect": "A kapcsolat megszakadt
Probálkoás a kapcsolat létrehozására. Kérjük, ellenőrizze a csatlakozási beállításokat.", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Toolbar.confirmAddFontName": "A menteni kívánt betűkészlet nem érhető el az aktuális eszközön.
A szövegstílus a rendszer egyik betűkészletével jelenik meg, a mentett betűtípust akkor használja, ha elérhető.
Folytatni szeretné?", "PE.Controllers.Toolbar.textAccent": "Accents", diff --git a/apps/presentationeditor/main/locale/id.json b/apps/presentationeditor/main/locale/id.json index 7d81c6e09..e3e328972 100644 --- a/apps/presentationeditor/main/locale/id.json +++ b/apps/presentationeditor/main/locale/id.json @@ -5,6 +5,28 @@ "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.define.chartData.textBar": "Palang", + "Common.define.chartData.textCharts": "Bagan", + "Common.define.chartData.textColumn": "Kolom", + "Common.define.chartData.textLine": "Garis", + "Common.define.chartData.textStock": "Diagram Garis", + "Common.define.effectData.textFillColor": "Fill Color", + "Common.define.effectData.textFontColor": "Warna Huruf", + "Common.define.effectData.textHorizontal": "Horisontal", + "Common.define.effectData.textIn": "Dalam", + "Common.define.effectData.textLeft": "Kiri", + "Common.define.effectData.textPlus": "Plus", + "Common.define.effectData.textRight": "Kanan", + "Common.define.effectData.textSquare": "Persegi", + "Common.define.effectData.textStretch": "Rentangkan", + "Common.define.effectData.textUnderline": "Garis bawah", + "Common.define.effectData.textUp": "Naik", + "Common.define.effectData.textVertical": "Vertikal", + "Common.define.effectData.textZoom": "Perbesar", + "Common.Translation.warnFileLockedBtnEdit": "Buat salinan", + "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", @@ -25,6 +47,8 @@ "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.textStandartColors": "Warna Standar", + "Common.UI.ThemeColorPalette.textThemeColors": "Warna Tema", "Common.UI.Window.cancelButtonText": "Cancel", "Common.UI.Window.closeButtonText": "Close", "Common.UI.Window.noButtonText": "No", @@ -42,17 +66,26 @@ "Common.Views.About.txtPoweredBy": "Powered by", "Common.Views.About.txtTel": "tel.: ", "Common.Views.About.txtVersion": "Version ", + "Common.Views.AutoCorrectDialog.textAdd": "Tambahkan", + "Common.Views.AutoCorrectDialog.textBy": "oleh", + "Common.Views.AutoCorrectDialog.textDelete": "Hapus", + "Common.Views.AutoCorrectDialog.textReplace": "Ganti", + "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.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.textHintAddComment": "Tambahkan komentar", "Common.Views.Comments.textOpenAgain": "Open Again", "Common.Views.Comments.textReply": "Reply", "Common.Views.Comments.textResolve": "Resolve", @@ -68,7 +101,21 @@ "Common.Views.ExternalDiagramEditor.textClose": "Close", "Common.Views.ExternalDiagramEditor.textSave": "Save & Exit", "Common.Views.ExternalDiagramEditor.textTitle": "Chart Editor", + "Common.Views.Header.textAdvSettings": "Pengaturan Lanjut", "Common.Views.Header.textBack": "Go to Documents", + "Common.Views.Header.textHideLines": "Sembunyikan Mistar", + "Common.Views.Header.textHideStatusBar": "Sembunyikan Bilah Status", + "Common.Views.Header.textZoom": "Perbesar", + "Common.Views.Header.tipDownload": "Unduh 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.txtAccessRights": "Ubah hak akses", + "Common.Views.Header.txtRename": "Ganti nama", + "Common.Views.History.textCloseHistory": "Tutup riwayat", + "Common.Views.History.textRestore": "Pemulihan", + "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", @@ -78,11 +125,64 @@ "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.InsertTableDialog.txtTitleSplit": "Pisahkan Sel", + "Common.Views.LanguageDialog.labelSelect": "Pilih bahasa dokumen", + "Common.Views.ListSettingsDialog.txtColor": "Warna", + "Common.Views.ListSettingsDialog.txtNone": "Tidak ada", + "Common.Views.ListSettingsDialog.txtSize": "Ukuran", + "Common.Views.ListSettingsDialog.txtType": "Tipe", + "Common.Views.OpenDialog.txtEncoding": "Enkoding", "Common.Views.OpenDialog.txtOpenFile": "Masukkan kata sandi untuk buka file", + "Common.Views.OpenDialog.txtPassword": "Kata Sandi", + "Common.Views.PasswordDialog.txtPassword": "Kata Sandi", + "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.Plugins.textStart": "Mulai", + "Common.Views.Protection.txtChangePwd": "Ubah kata sandi", + "Common.Views.RenameDialog.textName": "Nama file", + "Common.Views.ReviewChanges.tipHistory": "Tampilkan riwayat versi", + "Common.Views.ReviewChanges.tipSetDocLang": "Atur Bahasa Dokumen", + "Common.Views.ReviewChanges.tipSetSpelling": "Periksa Ejaan", + "Common.Views.ReviewChanges.txtAccept": "Terima", + "Common.Views.ReviewChanges.txtAcceptAll": "Terima semua perubahan", + "Common.Views.ReviewChanges.txtChat": "Chat", + "Common.Views.ReviewChanges.txtClose": "Tutup", + "Common.Views.ReviewChanges.txtCommentRemove": "Hapus", + "Common.Views.ReviewChanges.txtCommentResolve": "Selesaikan", + "Common.Views.ReviewChanges.txtDocLang": "Bahasa", + "Common.Views.ReviewChanges.txtHistory": "Riwayat versi", + "Common.Views.ReviewChanges.txtNext": "Berikutnya", + "Common.Views.ReviewChanges.txtPrev": "Sebelumnya", + "Common.Views.ReviewChanges.txtReject": "Tolak", + "Common.Views.ReviewChanges.txtSpelling": "Periksa Ejaan", + "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.textOpenAgain": "Buka Lagi", + "Common.Views.ReviewPopover.textReply": "Balas", + "Common.Views.ReviewPopover.textResolve": "Selesaikan", + "Common.Views.ReviewPopover.txtDeleteTip": "Hapus", + "Common.Views.ReviewPopover.txtEditTip": "Sunting", + "Common.Views.SelectFileDlg.textTitle": "Pilih sumber data", + "Common.Views.SignDialog.textBold": "Tebal", + "Common.Views.SignDialog.textChange": "Ganti", + "Common.Views.SignDialog.textItalic": "Miring", + "Common.Views.SignDialog.textSelect": "Pilih", + "Common.Views.SignDialog.tipFontSize": "Ukuran Huruf", + "Common.Views.SignSettingsDialog.textInfoName": "Nama", + "Common.Views.SignSettingsDialog.txtEmpty": "Kolom ini harus diisi", + "Common.Views.SymbolTableDialog.textCharacter": "Karakter", + "Common.Views.SymbolTableDialog.textFont": "Huruf", + "Common.Views.SymbolTableDialog.textSpecial": "Karakter khusus", + "Common.Views.SymbolTableDialog.textSymbols": "Simbol", "PE.Controllers.LeftMenu.newDocumentTitle": "Unnamed presentation", + "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.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.", @@ -129,7 +229,10 @@ "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.Main.textClose": "Tutup", "PE.Controllers.Main.textCloseTip": "Click to close the tip", + "PE.Controllers.Main.textGuest": "Tamu", + "PE.Controllers.Main.textLearnMore": "Pelajari selengkapnya", "PE.Controllers.Main.textLoadingDocument": "Loading presentation", "PE.Controllers.Main.textShape": "Shape", "PE.Controllers.Main.textStrict": "Strict mode", @@ -142,11 +245,25 @@ "PE.Controllers.Main.txtDiagramTitle": "Chart Title", "PE.Controllers.Main.txtEditingMode": "Set editing mode...", "PE.Controllers.Main.txtFiguredArrows": "Figured Arrows", + "PE.Controllers.Main.txtImage": "Gambar", "PE.Controllers.Main.txtLines": "Lines", + "PE.Controllers.Main.txtLoading": "Memuat...", "PE.Controllers.Main.txtMath": "Math", + "PE.Controllers.Main.txtMedia": "Media", "PE.Controllers.Main.txtNeedSynchronize": "You have updates", + "PE.Controllers.Main.txtNone": "Tidak ada", "PE.Controllers.Main.txtRectangles": "Rectangles", "PE.Controllers.Main.txtSeries": "Series", + "PE.Controllers.Main.txtShape_bevel": "Miring", + "PE.Controllers.Main.txtShape_downArrow": "Panah Bawah", + "PE.Controllers.Main.txtShape_frame": "Kerangka", + "PE.Controllers.Main.txtShape_leftArrow": "Panah Kiri", + "PE.Controllers.Main.txtShape_line": "Garis", + "PE.Controllers.Main.txtShape_mathEqual": "Setara", + "PE.Controllers.Main.txtShape_mathMinus": "Minus", + "PE.Controllers.Main.txtShape_mathPlus": "Plus", + "PE.Controllers.Main.txtShape_plus": "Plus", + "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", @@ -184,6 +301,8 @@ "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.txtTheme_green": "Hijau", + "PE.Controllers.Main.txtTheme_lines": "Garis", "PE.Controllers.Main.txtXAxis": "X Axis", "PE.Controllers.Main.txtYAxis": "Y Axis", "PE.Controllers.Main.unknownErrorText": "Unknown error.", @@ -193,14 +312,249 @@ "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.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.textFraction": "Pecahan", + "PE.Controllers.Toolbar.textFunction": "Fungsi", + "PE.Controllers.Toolbar.textInsert": "Sisipkan", + "PE.Controllers.Toolbar.textIntegral": "Integral", + "PE.Controllers.Toolbar.textLargeOperator": "Operator Besar", + "PE.Controllers.Toolbar.textLimitAndLog": "Limit dan Logaritma", + "PE.Controllers.Toolbar.textMatrix": "Matriks", + "PE.Controllers.Toolbar.textOperator": "Operator", + "PE.Controllers.Toolbar.textRadical": "Perakaran", "PE.Controllers.Toolbar.textWarning": "Warning", + "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_BarTop": "Garis Atas", + "PE.Controllers.Toolbar.txtAccent_BorderBox": "Kotak Formula (Dengan Placeholder)", + "PE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "Kotak Formula (Contoh)", + "PE.Controllers.Toolbar.txtAccent_Check": "Periksa", + "PE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Kurung Kurawal Atas", + "PE.Controllers.Toolbar.txtAccent_Custom_2": "ABC Dengan Overbar", + "PE.Controllers.Toolbar.txtAccent_DDot": "Titik Dua", + "PE.Controllers.Toolbar.txtAccent_Dot": "Titik", + "PE.Controllers.Toolbar.txtAccent_DoubleBar": "Overbar Ganda", + "PE.Controllers.Toolbar.txtAccent_Grave": "Aksen Kiri", + "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.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_Curve": "Tanda Kurung", + "PE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Tanda Kurung dengan Pemisah", + "PE.Controllers.Toolbar.txtBracket_Custom_1": "Kasus (Dua Kondisi)", + "PE.Controllers.Toolbar.txtBracket_Custom_2": "Kasus (Tiga Kondisi)", + "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_LineDouble": "Tanda Kurung", + "PE.Controllers.Toolbar.txtBracket_LowLim": "Tanda Kurung", + "PE.Controllers.Toolbar.txtBracket_Round": "Tanda Kurung", + "PE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Tanda Kurung dengan Pemisah", + "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_OpenOpen": "Tanda Kurung", + "PE.Controllers.Toolbar.txtBracket_SquareDouble": "Tanda Kurung", + "PE.Controllers.Toolbar.txtBracket_UppLim": "Tanda Kurung", + "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.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", + "PE.Controllers.Toolbar.txtFunction_1_Coth": "Fungsi Kotangen Hiperbolik Terbalik", + "PE.Controllers.Toolbar.txtFunction_1_Csc": "Fungsi Kosekans Terbalik", + "PE.Controllers.Toolbar.txtFunction_1_Csch": "Fungsi Kosekan Hiperbolik Terbalik", + "PE.Controllers.Toolbar.txtFunction_1_Sec": "Fungsi Sekans Terbalik", + "PE.Controllers.Toolbar.txtFunction_1_Sech": "Fungsi Sekans Hiperbolik Terbalik", + "PE.Controllers.Toolbar.txtFunction_1_Sin": "Fungsi Sin Terbalik", + "PE.Controllers.Toolbar.txtFunction_1_Sinh": "Fungsi Sin Hiperbolik Terbalik", + "PE.Controllers.Toolbar.txtFunction_1_Tan": "Fungsi Tangen Terbalik", + "PE.Controllers.Toolbar.txtFunction_1_Tanh": "Fungsi Tangen Hiperbolik Terbalik", + "PE.Controllers.Toolbar.txtFunction_Cos": "Fungsi Kosin", + "PE.Controllers.Toolbar.txtFunction_Cosh": "Fungsi Kosin Hiperbolik", + "PE.Controllers.Toolbar.txtFunction_Cot": "Fungsi Kotangen", + "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_Sech": "Fungsi Sekans Hiperbolik", + "PE.Controllers.Toolbar.txtFunction_Sinh": "Fungsi Sin Hiperbolik", + "PE.Controllers.Toolbar.txtFunction_Tanh": "Fungsi Tangen Hiperbolik", + "PE.Controllers.Toolbar.txtIntegral": "Integral", + "PE.Controllers.Toolbar.txtIntegral_dtheta": "Theta Diferensial", + "PE.Controllers.Toolbar.txtIntegral_dx": "Diferensial x", + "PE.Controllers.Toolbar.txtIntegral_dy": "Diferensial y", + "PE.Controllers.Toolbar.txtIntegralCenterSubSup": "Integral", + "PE.Controllers.Toolbar.txtIntegralDouble": "Integral Ganda", + "PE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "Integral Ganda", + "PE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Integral Ganda", + "PE.Controllers.Toolbar.txtIntegralOriented": "Integral Kontur", + "PE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Integral Kontur", + "PE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Integral Kontur", + "PE.Controllers.Toolbar.txtIntegralSubSup": "Integral", + "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_4": "Produk", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Vee", + "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.txtLimitLog_Custom_1": "Contoh Limit", + "PE.Controllers.Toolbar.txtLimitLog_Custom_2": "Contoh Maksimal", + "PE.Controllers.Toolbar.txtLimitLog_Lim": "Limit", + "PE.Controllers.Toolbar.txtLimitLog_Ln": "Logaritma Natural", + "PE.Controllers.Toolbar.txtLimitLog_Log": "Logaritma", + "PE.Controllers.Toolbar.txtLimitLog_LogBase": "Logaritma", + "PE.Controllers.Toolbar.txtLimitLog_Max": "Maksimal", + "PE.Controllers.Toolbar.txtLimitLog_Min": "Minimum", + "PE.Controllers.Toolbar.txtMatrix_1_2": "1x2 Matriks Kosong", + "PE.Controllers.Toolbar.txtMatrix_1_3": "1x3 Matriks Kosong", + "PE.Controllers.Toolbar.txtMatrix_2_1": "2x1 Matriks Kosong", + "PE.Controllers.Toolbar.txtMatrix_2_2": "2x2 Matriks Kosong", + "PE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "Matriks Kosong dengan Tanda Kurung", + "PE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "Matriks Kosong dengan Tanda Kurung", + "PE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Matriks Kosong dengan Tanda Kurung", + "PE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Matriks Kosong dengan Tanda Kurung", + "PE.Controllers.Toolbar.txtMatrix_2_3": "2x3 Matriks Kosong", + "PE.Controllers.Toolbar.txtMatrix_3_1": "3x1 Matriks Kosong", + "PE.Controllers.Toolbar.txtMatrix_3_2": "3x2 Matriks Kosong", + "PE.Controllers.Toolbar.txtMatrix_3_3": "3x3 Matriks Kosong", + "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_Identity_2": "2x2 Matriks Identitas", + "PE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "3x3 Matriks Identitas", + "PE.Controllers.Toolbar.txtMatrix_Identity_3": "3x3 Matriks Identitas", + "PE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "3x3 Matriks Identitas", + "PE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "Tanda Panah Kanan-Kiri Bawah", + "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_Top": "Tanda Panah ke Kanan Atas", + "PE.Controllers.Toolbar.txtOperator_ColonEquals": "Titik Dua", + "PE.Controllers.Toolbar.txtOperator_Custom_2": "Hasil Delta", + "PE.Controllers.Toolbar.txtOperator_Definition": "Setara Menurut Definisi", + "PE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta Setara Dengan", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "Tanda Panah Kanan-Kiri Bawah", + "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_Top": "Tanda Panah ke Kanan Atas", + "PE.Controllers.Toolbar.txtOperator_EqualsEquals": "Setara Setara", + "PE.Controllers.Toolbar.txtOperator_MinusEquals": "Minus Sama Dengan", + "PE.Controllers.Toolbar.txtOperator_PlusEquals": "Plus Sama Dengan", + "PE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "Diukur Berdasar", + "PE.Controllers.Toolbar.txtRadicalCustom_1": "Akar", + "PE.Controllers.Toolbar.txtRadicalCustom_2": "Akar", + "PE.Controllers.Toolbar.txtRadicalRoot_3": "Akar Pangkat Tiga", + "PE.Controllers.Toolbar.txtRadicalRoot_n": "Akar Dengan Derajat", + "PE.Controllers.Toolbar.txtScriptSub": "Subskrip", + "PE.Controllers.Toolbar.txtScriptSubSupLeft": "Subskrip-SuperskripKiri", + "PE.Controllers.Toolbar.txtScriptSup": "Superskrip", + "PE.Controllers.Toolbar.txtSymbol_about": "Kira-Kira", + "PE.Controllers.Toolbar.txtSymbol_additional": "Komplemen", + "PE.Controllers.Toolbar.txtSymbol_aleph": "Alef", + "PE.Controllers.Toolbar.txtSymbol_alpha": "Alfa", + "PE.Controllers.Toolbar.txtSymbol_approx": "Setara Dengan", + "PE.Controllers.Toolbar.txtSymbol_ast": "Operator Tanda Bintang", + "PE.Controllers.Toolbar.txtSymbol_beta": "Beta", + "PE.Controllers.Toolbar.txtSymbol_beth": "Taruhan", + "PE.Controllers.Toolbar.txtSymbol_bullet": "Operator Butir", + "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_degree": "Derajat", + "PE.Controllers.Toolbar.txtSymbol_delta": "Delta", + "PE.Controllers.Toolbar.txtSymbol_div": "Tanda Pembagi", + "PE.Controllers.Toolbar.txtSymbol_downarrow": "Panah Bawah", + "PE.Controllers.Toolbar.txtSymbol_emptyset": "Himpunan Kosong", + "PE.Controllers.Toolbar.txtSymbol_epsilon": "Epsilon", + "PE.Controllers.Toolbar.txtSymbol_equals": "Setara", + "PE.Controllers.Toolbar.txtSymbol_equiv": "Identik Dengan", + "PE.Controllers.Toolbar.txtSymbol_eta": "Eta", + "PE.Controllers.Toolbar.txtSymbol_factorial": "Faktorial", + "PE.Controllers.Toolbar.txtSymbol_fahrenheit": "Derajat Fahrenheit", + "PE.Controllers.Toolbar.txtSymbol_forall": "Untuk Semua", + "PE.Controllers.Toolbar.txtSymbol_gamma": "Gamma", + "PE.Controllers.Toolbar.txtSymbol_geq": "Lebih Dari atau Sama Dengan", + "PE.Controllers.Toolbar.txtSymbol_gg": "Lebih Dari", + "PE.Controllers.Toolbar.txtSymbol_greater": "Lebih Dari", + "PE.Controllers.Toolbar.txtSymbol_in": "Elemen Dari", + "PE.Controllers.Toolbar.txtSymbol_inc": "Naik", + "PE.Controllers.Toolbar.txtSymbol_infinity": "Tak Terbatas", + "PE.Controllers.Toolbar.txtSymbol_iota": "Iota", + "PE.Controllers.Toolbar.txtSymbol_kappa": "Kappa", + "PE.Controllers.Toolbar.txtSymbol_lambda": "Lambda", + "PE.Controllers.Toolbar.txtSymbol_leftarrow": "Panah Kiri", + "PE.Controllers.Toolbar.txtSymbol_leftrightarrow": "Panah Kanan-Kiri", + "PE.Controllers.Toolbar.txtSymbol_leq": "Kurang Dari atau Sama Dengan", + "PE.Controllers.Toolbar.txtSymbol_less": "Kurang Dari", + "PE.Controllers.Toolbar.txtSymbol_ll": "Kurang Dari", + "PE.Controllers.Toolbar.txtSymbol_minus": "Minus", + "PE.Controllers.Toolbar.txtSymbol_mp": "Minus Plus", + "PE.Controllers.Toolbar.txtSymbol_ni": "Sertakan sebagai Anggota", + "PE.Controllers.Toolbar.txtSymbol_not": "Tanda Negasi", + "PE.Controllers.Toolbar.txtSymbol_nu": "Nu", + "PE.Controllers.Toolbar.txtSymbol_o": "Omikron", + "PE.Controllers.Toolbar.txtSymbol_omega": "Omega", + "PE.Controllers.Toolbar.txtSymbol_partial": "Diferensial Parsial", + "PE.Controllers.Toolbar.txtSymbol_percent": "Persentase", + "PE.Controllers.Toolbar.txtSymbol_phi": "Phi", + "PE.Controllers.Toolbar.txtSymbol_pi": "Pi", + "PE.Controllers.Toolbar.txtSymbol_plus": "Plus", + "PE.Controllers.Toolbar.txtSymbol_pm": "Plus Minus", + "PE.Controllers.Toolbar.txtSymbol_propto": "Proposional Dengan", + "PE.Controllers.Toolbar.txtSymbol_psi": "Psi", + "PE.Controllers.Toolbar.txtSymbol_qdrt": "Akar Kuadrat", + "PE.Controllers.Toolbar.txtSymbol_qed": "Pembuktian Akhir", + "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_theta": "Theta", + "PE.Controllers.Toolbar.txtSymbol_times": "Tanda Perkalian", + "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_xsi": "Xi", + "PE.Controllers.Viewport.textFitWidth": "Sesuaikan Lebar", + "PE.Views.Animation.strStart": "Mulai", + "PE.Views.Animation.textMultiple": "Banyak", + "PE.Views.Animation.textNone": "Tidak ada", + "PE.Views.Animation.txtParameters": "Parameter", + "PE.Views.Animation.txtPreview": "Pratinjau", + "PE.Views.ChartSettings.textAdvanced": "Tampilkan pengaturan lanjut", "PE.Views.ChartSettings.textChartType": "Change Chart Type", "PE.Views.ChartSettings.textEditData": "Edit Data", "PE.Views.ChartSettings.textHeight": "Height", @@ -208,15 +562,21 @@ "PE.Views.ChartSettings.textSize": "Size", "PE.Views.ChartSettings.textStyle": "Style", "PE.Views.ChartSettings.textWidth": "Width", + "PE.Views.ChartSettingsAdvanced.textAltDescription": "Deskripsi", + "PE.Views.ChartSettingsAdvanced.textAltTitle": "Judul", + "PE.Views.ChartSettingsAdvanced.textTitle": "Bagan - Pengaturan Lanjut", + "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.DocumentHolder.alignmentText": "Perataan", "PE.Views.DocumentHolder.belowText": "Below", "PE.Views.DocumentHolder.cellAlignText": "Cell Vertical Alignment", "PE.Views.DocumentHolder.cellText": "Cell", + "PE.Views.DocumentHolder.centerText": "Tengah", "PE.Views.DocumentHolder.columnText": "Column", "PE.Views.DocumentHolder.deleteColumnText": "Delete Column", "PE.Views.DocumentHolder.deleteRowText": "Delete Row", @@ -229,6 +589,8 @@ "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", @@ -236,11 +598,19 @@ "PE.Views.DocumentHolder.insertRowBelowText": "Row Below", "PE.Views.DocumentHolder.insertRowText": "Insert Row", "PE.Views.DocumentHolder.insertText": "Insert", + "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.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.rightText": "Kanan", "PE.Views.DocumentHolder.rowText": "Row", "PE.Views.DocumentHolder.selectText": "Select", + "PE.Views.DocumentHolder.spellcheckText": "Periksa ejaan", "PE.Views.DocumentHolder.splitCellsText": "Split Cell...", "PE.Views.DocumentHolder.splitCellTitleText": "Split Cell", "PE.Views.DocumentHolder.tableText": "Table", @@ -249,10 +619,14 @@ "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.textFromFile": "Dari File", + "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.textReplace": "Ganti Gambar", "PE.Views.DocumentHolder.textShapeAlignBottom": "Align Bottom", "PE.Views.DocumentHolder.textShapeAlignCenter": "Align Center", "PE.Views.DocumentHolder.textShapeAlignLeft": "Align Left", @@ -260,10 +634,12 @@ "PE.Views.DocumentHolder.textShapeAlignRight": "Align Right", "PE.Views.DocumentHolder.textShapeAlignTop": "Align Top", "PE.Views.DocumentHolder.textSlideSettings": "Slide Settings", + "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.txtBackground": "Background", + "PE.Views.DocumentHolder.txtBottom": "Bawah", "PE.Views.DocumentHolder.txtChangeLayout": "Change Layout", "PE.Views.DocumentHolder.txtDeleteSlide": "Delete Slide", "PE.Views.DocumentHolder.txtDistribHor": "Distribute Horizontally", @@ -275,6 +651,7 @@ "PE.Views.DocumentHolder.txtPreview": "Preview", "PE.Views.DocumentHolder.txtSelectAll": "Select All", "PE.Views.DocumentHolder.txtSlide": "Slide", + "PE.Views.DocumentHolder.txtTop": "Atas", "PE.Views.DocumentHolder.txtUngroup": "Ungroup", "PE.Views.DocumentHolder.vertAlignText": "Vertical Alignment", "PE.Views.DocumentPreview.goToSlideText": "Go to Slide", @@ -288,11 +665,13 @@ "PE.Views.DocumentPreview.txtPause": "Pause Presentation", "PE.Views.DocumentPreview.txtPlay": "Start Presentation", "PE.Views.DocumentPreview.txtPrev": "Previous Slide", + "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...", @@ -302,13 +681,22 @@ "PE.Views.FileMenu.btnSaveCaption": "Save", "PE.Views.FileMenu.btnSettingsCaption": "Advanced Settings...", "PE.Views.FileMenu.btnToEditCaption": "Edit Presentation", + "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.txtComment": "Komentar", + "PE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Dibuat", + "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.txtSubject": "Subyek", "PE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Presentation Title", + "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.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", @@ -316,6 +704,7 @@ "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": "Contoh Huruf", "PE.Views.FileMenuPanels.Settings.strInputMode": "Turn on hieroglyphs", "PE.Views.FileMenuPanels.Settings.strShowChanges": "Realtime Collaboration Changes", "PE.Views.FileMenuPanels.Settings.strStrict": "Strict", @@ -332,9 +721,18 @@ "PE.Views.FileMenuPanels.Settings.txtAll": "View All", "PE.Views.FileMenuPanels.Settings.txtCm": "Centimeter", "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.txtMac": "sebagai OS X", + "PE.Views.FileMenuPanels.Settings.txtNative": "Asli", "PE.Views.FileMenuPanels.Settings.txtPt": "Point", + "PE.Views.FileMenuPanels.Settings.txtSpellCheck": "Periksa Ejaan", + "PE.Views.FileMenuPanels.Settings.txtWin": "sebagai Windows", + "PE.Views.HeaderFooterDialog.applyText": "Terapkan", + "PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Peringatan", + "PE.Views.HeaderFooterDialog.textLang": "Bahasa", + "PE.Views.HeaderFooterDialog.textPreview": "Pratinjau", "PE.Views.HyperlinkSettingsDialog.strDisplay": "Display", "PE.Views.HyperlinkSettingsDialog.strLinkTo": "Link To", "PE.Views.HyperlinkSettingsDialog.textDefault": "Selected text fragment", @@ -353,6 +751,8 @@ "PE.Views.HyperlinkSettingsDialog.txtPrev": "Previous Slide", "PE.Views.HyperlinkSettingsDialog.txtSlide": "Slide", "PE.Views.ImageSettings.textAdvanced": "Show advanced settings", + "PE.Views.ImageSettings.textCropFill": "Isian", + "PE.Views.ImageSettings.textEdit": "Sunting", "PE.Views.ImageSettings.textFromFile": "From File", "PE.Views.ImageSettings.textFromUrl": "From URL", "PE.Views.ImageSettings.textHeight": "Height", @@ -360,9 +760,12 @@ "PE.Views.ImageSettings.textOriginalSize": "Default Size", "PE.Views.ImageSettings.textSize": "Size", "PE.Views.ImageSettings.textWidth": "Width", + "PE.Views.ImageSettingsAdvanced.textAltDescription": "Deskripsi", + "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.textPlacement": "Penempatan", "PE.Views.ImageSettingsAdvanced.textPosition": "Position", "PE.Views.ImageSettingsAdvanced.textSize": "Size", "PE.Views.ImageSettingsAdvanced.textTitle": "Image - Advanced Settings", @@ -387,19 +790,28 @@ "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.ParagraphSettingsAdvanced.strIndent": "Indentasi", "PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Left", + "PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Spasi Antar Baris", "PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Right", + "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.strSpacing": "Spasi", "PE.Views.ParagraphSettingsAdvanced.strStrike": "Strikethrough", "PE.Views.ParagraphSettingsAdvanced.strSubscript": "Subscript", "PE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superscript", "PE.Views.ParagraphSettingsAdvanced.strTabs": "Tab", "PE.Views.ParagraphSettingsAdvanced.textAlign": "Alignment", + "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.textExact": "Persis", + "PE.Views.ParagraphSettingsAdvanced.textFirstLine": "Baris Pertama", + "PE.Views.ParagraphSettingsAdvanced.textJustified": "Rata Kiri-Kanan", "PE.Views.ParagraphSettingsAdvanced.textRemove": "Remove", "PE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Remove All", "PE.Views.ParagraphSettingsAdvanced.textSet": "Specify", @@ -408,6 +820,7 @@ "PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Tab Position", "PE.Views.ParagraphSettingsAdvanced.textTabRight": "Right", "PE.Views.ParagraphSettingsAdvanced.textTitle": "Paragraph - Advanced Settings", + "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Otomatis", "PE.Views.RightMenu.txtChartSettings": "Chart Settings", "PE.Views.RightMenu.txtImageSettings": "Image Settings", "PE.Views.RightMenu.txtParagraphSettings": "Text Settings", @@ -424,6 +837,7 @@ "PE.Views.ShapeSettings.strSize": "Size", "PE.Views.ShapeSettings.strStroke": "Stroke", "PE.Views.ShapeSettings.strTransparency": "Opacity", + "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", @@ -437,6 +851,7 @@ "PE.Views.ShapeSettings.textLinear": "Linear", "PE.Views.ShapeSettings.textNoFill": "No Fill", "PE.Views.ShapeSettings.textPatternFill": "Pattern", + "PE.Views.ShapeSettings.textPosition": "Posisi", "PE.Views.ShapeSettings.textRadial": "Radial", "PE.Views.ShapeSettings.textSelectTexture": "Select", "PE.Views.ShapeSettings.textStretch": "Stretch", @@ -455,13 +870,17 @@ "PE.Views.ShapeSettings.txtNoBorders": "No Line", "PE.Views.ShapeSettings.txtPapyrus": "Papyrus", "PE.Views.ShapeSettings.txtWood": "Wood", + "PE.Views.ShapeSettingsAdvanced.strColumns": "Kolom", "PE.Views.ShapeSettingsAdvanced.strMargins": "Text Padding", + "PE.Views.ShapeSettingsAdvanced.textAltDescription": "Deskripsi", + "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.textColNumber": "Jumlah Kolom", "PE.Views.ShapeSettingsAdvanced.textEndSize": "End Size", "PE.Views.ShapeSettingsAdvanced.textEndStyle": "End Style", "PE.Views.ShapeSettingsAdvanced.textFlat": "Flat", @@ -480,11 +899,13 @@ "PE.Views.ShapeSettingsAdvanced.textWeightArrows": "Weights & Arrows", "PE.Views.ShapeSettingsAdvanced.textWidth": "Width", "PE.Views.ShapeSettingsAdvanced.txtNone": "None", + "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.SlideSettings.strTransparency": "Opasitas", "PE.Views.SlideSettings.textAdvanced": "Show advanced settings", "PE.Views.SlideSettings.textColor": "Color Fill", "PE.Views.SlideSettings.textDirection": "Direction", @@ -497,6 +918,7 @@ "PE.Views.SlideSettings.textLinear": "Linear", "PE.Views.SlideSettings.textNoFill": "No Fill", "PE.Views.SlideSettings.textPatternFill": "Pattern", + "PE.Views.SlideSettings.textPosition": "Posisi", "PE.Views.SlideSettings.textRadial": "Radial", "PE.Views.SlideSettings.textReset": "Reset Changes", "PE.Views.SlideSettings.textSelectTexture": "Select", @@ -536,6 +958,7 @@ "PE.Views.Statusbar.tipFitPage": "Fit Slide", "PE.Views.Statusbar.tipFitWidth": "Fit Width", "PE.Views.Statusbar.tipPreview": "Start Preview", + "PE.Views.Statusbar.tipSetLang": "Atur Bahasa Teks", "PE.Views.Statusbar.tipZoomFactor": "Magnification", "PE.Views.Statusbar.tipZoomIn": "Zoom In", "PE.Views.Statusbar.tipZoomOut": "Zoom Out", @@ -564,11 +987,13 @@ "PE.Views.TableSettings.textEmptyTemplate": "No templates", "PE.Views.TableSettings.textFirst": "First", "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.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", @@ -580,6 +1005,8 @@ "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.TableSettingsAdvanced.textAltDescription": "Deskripsi", + "PE.Views.TableSettingsAdvanced.textAltTitle": "Judul", "PE.Views.TableSettingsAdvanced.textBottom": "Bottom", "PE.Views.TableSettingsAdvanced.textCheckMargins": "Use default margins", "PE.Views.TableSettingsAdvanced.textDefaultMargins": "Default Margins", @@ -597,6 +1024,7 @@ "PE.Views.TextArtSettings.strSize": "Size", "PE.Views.TextArtSettings.strStroke": "Stroke", "PE.Views.TextArtSettings.strTransparency": "Opacity", + "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", @@ -609,6 +1037,7 @@ "PE.Views.TextArtSettings.textLinear": "Linear", "PE.Views.TextArtSettings.textNoFill": "No Fill", "PE.Views.TextArtSettings.textPatternFill": "Pattern", + "PE.Views.TextArtSettings.textPosition": "Posisi", "PE.Views.TextArtSettings.textRadial": "Radial", "PE.Views.TextArtSettings.textSelectTexture": "Select", "PE.Views.TextArtSettings.textStretch": "Stretch", @@ -629,12 +1058,21 @@ "PE.Views.TextArtSettings.txtNoBorders": "No Line", "PE.Views.TextArtSettings.txtPapyrus": "Papyrus", "PE.Views.TextArtSettings.txtWood": "Wood", + "PE.Views.Toolbar.capBtnAddComment": "Tambahkan komentar", + "PE.Views.Toolbar.capBtnComment": "Komentar", + "PE.Views.Toolbar.capInsertChart": "Bagan", + "PE.Views.Toolbar.capInsertImage": "Gambar", + "PE.Views.Toolbar.capInsertTable": "Tabel", + "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.mniSlideStandard": "Standard (4:3)", "PE.Views.Toolbar.mniSlideWide": "Widescreen (16:9)", + "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.textAlignJust": "Justify", @@ -657,22 +1095,31 @@ "PE.Views.Toolbar.textStrikeout": "Strikeout", "PE.Views.Toolbar.textSubscript": "Subscript", "PE.Views.Toolbar.textSuperscript": "Superscript", + "PE.Views.Toolbar.textTabFile": "File", + "PE.Views.Toolbar.textTabHome": "Halaman Depan", + "PE.Views.Toolbar.textTabInsert": "Sisipkan", + "PE.Views.Toolbar.textTabView": "Lihat", "PE.Views.Toolbar.textTitleError": "Error", "PE.Views.Toolbar.textUnderline": "Underline", "PE.Views.Toolbar.tipAddSlide": "Add Slide", "PE.Views.Toolbar.tipBack": "Back", + "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.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.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.tipInsertEquation": "Masukkan Persamaan", "PE.Views.Toolbar.tipInsertHyperlink": "Add Hyperlink", "PE.Views.Toolbar.tipInsertImage": "Insert Picture", "PE.Views.Toolbar.tipInsertShape": "Insert Autoshape", @@ -718,5 +1165,17 @@ "PE.Views.Toolbar.txtScheme7": "Equity", "PE.Views.Toolbar.txtScheme8": "Flow", "PE.Views.Toolbar.txtScheme9": "Foundry", - "PE.Views.Toolbar.txtUngroup": "Ungroup" + "PE.Views.Toolbar.txtUngroup": "Ungroup", + "PE.Views.Transitions.textBottom": "Bawah", + "PE.Views.Transitions.textLeft": "Kiri", + "PE.Views.Transitions.textNone": "Tidak ada", + "PE.Views.Transitions.textRight": "Kanan", + "PE.Views.Transitions.textTop": "Atas", + "PE.Views.Transitions.textZoom": "Perbesar", + "PE.Views.Transitions.textZoomIn": "Perbesar", + "PE.Views.Transitions.textZoomOut": "Perkecil", + "PE.Views.Transitions.txtParameters": "Parameter", + "PE.Views.Transitions.txtPreview": "Pratinjau", + "PE.Views.ViewTab.textFitToWidth": "Sesuaikan Lebar", + "PE.Views.ViewTab.textZoom": "Perbesar" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/it.json b/apps/presentationeditor/main/locale/it.json index b58c5b82d..40d6822c6 100644 --- a/apps/presentationeditor/main/locale/it.json +++ b/apps/presentationeditor/main/locale/it.json @@ -47,6 +47,193 @@ "Common.define.chartData.textScatterSmoothMarker": "Grafico a dispersione con linee e indicatori", "Common.define.chartData.textStock": "Azionario", "Common.define.chartData.textSurface": "Superficie", + "Common.define.effectData.textAcross": "Orizzontalmente", + "Common.define.effectData.textAppear": "Apparire", + "Common.define.effectData.textArcDown": "Arco verso il basso", + "Common.define.effectData.textArcLeft": "Arco a sinistra", + "Common.define.effectData.textArcRight": "Arco a destra", + "Common.define.effectData.textArcUp": "Arco in alto", + "Common.define.effectData.textBasic": "Di base", + "Common.define.effectData.textBasicSwivel": "Girevole di base", + "Common.define.effectData.textBasicZoom": "Zoom di base", + "Common.define.effectData.textBean": "Fagiolo", + "Common.define.effectData.textBlinds": "Persiane", + "Common.define.effectData.textBlink": "Lampeggiante", + "Common.define.effectData.textBoldFlash": "Flash grassetto", + "Common.define.effectData.textBoldReveal": "Rivelazione in grassetto", + "Common.define.effectData.textBoomerang": "Boomerang", + "Common.define.effectData.textBounce": "Rimbalzo", + "Common.define.effectData.textBounceLeft": "Rimbalzo a sinistra", + "Common.define.effectData.textBounceRight": "Rimbalzo a destra", + "Common.define.effectData.textBox": "Riquadro", + "Common.define.effectData.textBrushColor": "Colore del pennello", + "Common.define.effectData.textCenterRevolve": "Rotazione intorno al centro", + "Common.define.effectData.textCheckerboard": "Scacchiera", + "Common.define.effectData.textCircle": "Cerchio", + "Common.define.effectData.textCollapse": "Riduci", + "Common.define.effectData.textColorPulse": "Impulso di colore", + "Common.define.effectData.textComplementaryColor": "Colore complementare", + "Common.define.effectData.textComplementaryColor2": "Colore complementare 2", + "Common.define.effectData.textCompress": "Comprimi", + "Common.define.effectData.textContrast": "Contrasto", + "Common.define.effectData.textContrastingColor": "Colore a contrasto", + "Common.define.effectData.textCredits": "Crediti", + "Common.define.effectData.textCrescentMoon": "Luna crescente", + "Common.define.effectData.textCurveDown": "Curva verso il basso", + "Common.define.effectData.textCurvedSquare": "Quadrato curvato", + "Common.define.effectData.textCurvedX": "X curvata", + "Common.define.effectData.textCurvyLeft": "Curva verso sinistra", + "Common.define.effectData.textCurvyRight": "Curva verso destra", + "Common.define.effectData.textCurvyStar": "Stella curvata", + "Common.define.effectData.textCustomPath": "Percorso personalizzato", + "Common.define.effectData.textCuverUp": "Curva verso alto", + "Common.define.effectData.textDarken": "Oscurare", + "Common.define.effectData.textDecayingWave": "Onda smorzata", + "Common.define.effectData.textDesaturate": "Desaturare", + "Common.define.effectData.textDiagonalDownRight": "Diagonale verso l'angolo destro inferiore", + "Common.define.effectData.textDiagonalUpRight": "Diagonale verso l'angolo destro superiore", + "Common.define.effectData.textDiamond": "Diamante", + "Common.define.effectData.textDisappear": "Scomparire", + "Common.define.effectData.textDissolveIn": "Sciogliere dentro", + "Common.define.effectData.textDissolveOut": "Sciogliere fuori", + "Common.define.effectData.textDown": "Giù", + "Common.define.effectData.textDrop": "Cadere", + "Common.define.effectData.textEmphasis": "Effetto di risalto", + "Common.define.effectData.textEntrance": "Effetto di ingresso", + "Common.define.effectData.textEqualTriangle": "Triangolo equilatero", + "Common.define.effectData.textExciting": "Accattivante", + "Common.define.effectData.textExit": "Effetto di uscita", + "Common.define.effectData.textExpand": "Espandi", + "Common.define.effectData.textFade": "Dissolvenza", + "Common.define.effectData.textFigureFour": "Figura quattro volte 8", + "Common.define.effectData.textFillColor": "Colore di riempimento", + "Common.define.effectData.textFlip": "Capovolgere", + "Common.define.effectData.textFloat": "Fluttuare", + "Common.define.effectData.textFloatDown": "Fluttuare verso il basso", + "Common.define.effectData.textFloatIn": "Fluttuare dentro", + "Common.define.effectData.textFloatOut": "Fluttuare fuori", + "Common.define.effectData.textFloatUp": "Fluttuare verso altro", + "Common.define.effectData.textFlyIn": "Volare dentro", + "Common.define.effectData.textFlyOut": "Volare fuori", + "Common.define.effectData.textFontColor": "Colore caratteri", + "Common.define.effectData.textFootball": "Calcio", + "Common.define.effectData.textFromBottom": "Dal basso", + "Common.define.effectData.textFromBottomLeft": "Dal basso a sinistra", + "Common.define.effectData.textFromBottomRight": "Dal basso a destra", + "Common.define.effectData.textFromLeft": "Da sinistra a destra", + "Common.define.effectData.textFromRight": "Da destra a sinistra", + "Common.define.effectData.textFromTop": "Dall'alto al basso", + "Common.define.effectData.textFromTopLeft": "Da in alto a sinistra", + "Common.define.effectData.textFromTopRight": "Da in alto a destra", + "Common.define.effectData.textFunnel": "Imbuto", + "Common.define.effectData.textGrowShrink": "Aumentare/Restringere", + "Common.define.effectData.textGrowTurn": "Aumentare e girare", + "Common.define.effectData.textGrowWithColor": "Aumentare con colore", + "Common.define.effectData.textHeart": "Cuore", + "Common.define.effectData.textHeartbeat": "Pulsazione", + "Common.define.effectData.textHexagon": "Esagono", + "Common.define.effectData.textHorizontal": "Orizzontale", + "Common.define.effectData.textHorizontalFigure": "Figura 8 orizzontale", + "Common.define.effectData.textHorizontalIn": "Orizzontale dentro", + "Common.define.effectData.textHorizontalOut": "Orizzontale fuori", + "Common.define.effectData.textIn": "All'interno", + "Common.define.effectData.textInFromScreenCenter": "Aumentare da centro schermo", + "Common.define.effectData.textInSlightly": "Lieve aumento", + "Common.define.effectData.textInvertedSquare": "Quadrato invertito", + "Common.define.effectData.textInvertedTriangle": "Triangolo invertito", + "Common.define.effectData.textLeft": "A sinistra", + "Common.define.effectData.textLeftDown": "Sinistra in basso", + "Common.define.effectData.textLeftUp": "Sinistra in alto", + "Common.define.effectData.textLighten": "Illuminare", + "Common.define.effectData.textLineColor": "Colore linea", + "Common.define.effectData.textLinesCurves": "Linee Curve", + "Common.define.effectData.textLoopDeLoop": "Ciclo continuo", + "Common.define.effectData.textModerate": "Moderato", + "Common.define.effectData.textNeutron": "Neutrone", + "Common.define.effectData.textObjectCenter": "Centro dell'oggetto", + "Common.define.effectData.textObjectColor": "Colore dell'oggetto", + "Common.define.effectData.textOctagon": "Ottagono", + "Common.define.effectData.textOut": "All'esterno", + "Common.define.effectData.textOutFromScreenBottom": "Allontanare dal fondo dello schermo", + "Common.define.effectData.textOutSlightly": "Lieve diminuzione", + "Common.define.effectData.textParallelogram": "Parallelogramma", + "Common.define.effectData.textPath": "Percorso di movimento", + "Common.define.effectData.textPeanut": "Arachidi", + "Common.define.effectData.textPeekIn": "Sbirciare dentro", + "Common.define.effectData.textPeekOut": "Sbirciare fuori", + "Common.define.effectData.textPentagon": "Pentagono", + "Common.define.effectData.textPinwheel": "Girandola", + "Common.define.effectData.textPlus": "Più", + "Common.define.effectData.textPointStar": "Stella a punta", + "Common.define.effectData.textPointStar4": "Stella a 4 punte", + "Common.define.effectData.textPointStar5": "Stella a 5 punte", + "Common.define.effectData.textPointStar6": "Stella a 6 punte", + "Common.define.effectData.textPointStar8": "Stella a 8 punte", + "Common.define.effectData.textPulse": "Pulsazione", + "Common.define.effectData.textRandomBars": "Barre casuali", + "Common.define.effectData.textRight": "A destra", + "Common.define.effectData.textRightDown": "Destra in basso", + "Common.define.effectData.textRightTriangle": "Triangolo rettangolo", + "Common.define.effectData.textRightUp": "Destra in alto", + "Common.define.effectData.textRiseUp": "Sollevare", + "Common.define.effectData.textSCurve1": "Curva S 1", + "Common.define.effectData.textSCurve2": "Curva S 2", + "Common.define.effectData.textShape": "Forma", + "Common.define.effectData.textShimmer": "Riflesso", + "Common.define.effectData.textShrinkTurn": "Restringere e girare", + "Common.define.effectData.textSineWave": "Onda sinusoidale", + "Common.define.effectData.textSinkDown": "Affondare", + "Common.define.effectData.textSlideCenter": "Centro della diapositiva", + "Common.define.effectData.textSpecial": "Speciali", + "Common.define.effectData.textSpin": "Girare", + "Common.define.effectData.textSpinner": "Centrifuga", + "Common.define.effectData.textSpiralIn": "Spirale verso dentro", + "Common.define.effectData.textSpiralLeft": "Spirale verso sinistra", + "Common.define.effectData.textSpiralOut": "Spirale verso fuori", + "Common.define.effectData.textSpiralRight": "Spirale verso destra", + "Common.define.effectData.textSplit": "Dividere", + "Common.define.effectData.textSpoke1": "1 settore", + "Common.define.effectData.textSpoke2": "2 settori", + "Common.define.effectData.textSpoke3": "3 settori", + "Common.define.effectData.textSpoke4": "4 settori", + "Common.define.effectData.textSpoke8": "8 settori", + "Common.define.effectData.textSpring": "Molla", + "Common.define.effectData.textSquare": "Quadrato", + "Common.define.effectData.textStairsDown": "Scale verso il basso", + "Common.define.effectData.textStretch": "Estendere", + "Common.define.effectData.textStrips": "Strisce", + "Common.define.effectData.textSubtle": "Sottile", + "Common.define.effectData.textSwivel": "Girevole", + "Common.define.effectData.textSwoosh": "Swoosh", + "Common.define.effectData.textTeardrop": "Goccia", + "Common.define.effectData.textTeeter": "Barcollare", + "Common.define.effectData.textToBottom": "Verso il basso", + "Common.define.effectData.textToBottomLeft": "Verso il basso a sinistra", + "Common.define.effectData.textToBottomRight": "Verso il basso a destra", + "Common.define.effectData.textToLeft": "A sinistra", + "Common.define.effectData.textToRight": "A destra", + "Common.define.effectData.textToTop": "Verso l'alto", + "Common.define.effectData.textToTopLeft": "Verso l'alto a sinistra", + "Common.define.effectData.textToTopRight": "Verso l'alto a destra", + "Common.define.effectData.textTransparency": "Trasparenza", + "Common.define.effectData.textTrapezoid": "Trapezio", + "Common.define.effectData.textTurnDown": "Girare verso il basso", + "Common.define.effectData.textTurnDownRight": "Girare verso il basso e destra", + "Common.define.effectData.textTurnUp": "Girare verso l'alto", + "Common.define.effectData.textTurnUpRight": "Girare verso l'alto a destra", + "Common.define.effectData.textUnderline": "Sottolineare", + "Common.define.effectData.textUp": "Verso l'alto", + "Common.define.effectData.textVertical": "Verticale", + "Common.define.effectData.textVerticalFigure": "Figura 8 verticale", + "Common.define.effectData.textVerticalIn": "Verticale dentro", + "Common.define.effectData.textVerticalOut": "Verticale fuori", + "Common.define.effectData.textWave": "Onda", + "Common.define.effectData.textWedge": "Cuneo", + "Common.define.effectData.textWheel": "Ruota", + "Common.define.effectData.textWhip": "Frusta", + "Common.define.effectData.textWipe": "Apparizione", + "Common.define.effectData.textZigzag": "Zigzag", + "Common.define.effectData.textZoom": "Zoom", "Common.Translation.warnFileLocked": "Il file è in fase di modifica in un'altra applicazione. Puoi continuare a modificarlo e salvarlo come copia.", "Common.Translation.warnFileLockedBtnEdit": "Crea una copia", "Common.Translation.warnFileLockedBtnView": "‎Aperto per la visualizzazione‎", @@ -61,6 +248,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nuovo", "Common.UI.ExtendedColorDialog.textRGBErr": "Il valore inserito non è corretto.
Inserisci un valore numerico tra 0 e 255.", "Common.UI.HSBColorPicker.textNoColor": "Nessun colore", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Nascondere la password", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostra password", "Common.UI.SearchDialog.textHighlight": "Evidenzia risultati", "Common.UI.SearchDialog.textMatchCase": "Sensibile al maiuscolo/minuscolo", "Common.UI.SearchDialog.textReplaceDef": "Inserisci testo sostitutivo", @@ -104,6 +293,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Elenchi puntati automatici", "Common.Views.AutoCorrectDialog.textBy": "Di", "Common.Views.AutoCorrectDialog.textDelete": "Elimina", + "Common.Views.AutoCorrectDialog.textFLCells": "Rendere maiuscola la prima lettera delle celle della tabella", "Common.Views.AutoCorrectDialog.textFLSentence": "‎In maiuscolo la prima lettera delle frasi‎", "Common.Views.AutoCorrectDialog.textHyperlink": "Internet e percorsi di rete con i collegamenti ipertestuali", "Common.Views.AutoCorrectDialog.textHyphens": "‎Trattini (--) con trattino (-)‎", @@ -129,12 +319,14 @@ "Common.Views.Comments.mniAuthorDesc": "Autore dalla Z alla A", "Common.Views.Comments.mniDateAsc": "Più vecchio", "Common.Views.Comments.mniDateDesc": "Più recente", + "Common.Views.Comments.mniFilterGroups": "Filtra per gruppo", "Common.Views.Comments.mniPositionAsc": "Dall'alto", "Common.Views.Comments.mniPositionDesc": "Dal basso", "Common.Views.Comments.textAdd": "Aggiungi", "Common.Views.Comments.textAddComment": "Aggiungi commento", "Common.Views.Comments.textAddCommentToDoc": "Aggiungi commento al documento", "Common.Views.Comments.textAddReply": "Aggiungi risposta", + "Common.Views.Comments.textAll": "Tutti", "Common.Views.Comments.textAnonym": "Ospite", "Common.Views.Comments.textCancel": "Annulla", "Common.Views.Comments.textClose": "Chiudi", @@ -148,6 +340,7 @@ "Common.Views.Comments.textResolve": "Chiudi", "Common.Views.Comments.textResolved": "Chiuso", "Common.Views.Comments.textSort": "Ordinare commenti", + "Common.Views.Comments.textViewResolved": "Non sei autorizzato a riaprire il commento", "Common.Views.CopyWarningDialog.textDontShow": "Non mostrare più questo messaggio", "Common.Views.CopyWarningDialog.textMsg": "Le azioni di copia, taglia e incolla utilizzando i pulsanti della barra degli strumenti dell'editor e le azioni del menu di scelta rapida verranno eseguite solo all'interno di questa scheda dell'editor.

Per copiare o incollare in o da applicazioni esterne alla scheda dell'editor, utilizzare le seguenti combinazioni di tasti:", "Common.Views.CopyWarningDialog.textTitle": "Funzioni copia/taglia/incolla", @@ -312,6 +505,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Apri di nuovo", "Common.Views.ReviewPopover.textReply": "Rispondi", "Common.Views.ReviewPopover.textResolve": "Risolvere", + "Common.Views.ReviewPopover.textViewResolved": "Non sei autorizzato a riaprire il commento", "Common.Views.ReviewPopover.txtDeleteTip": "Eliminare", "Common.Views.ReviewPopover.txtEditTip": "Modificare", "Common.Views.SaveAsDlg.textLoading": "Caricamento", @@ -469,6 +663,7 @@ "PE.Controllers.Main.textLongName": "Si prega di immettere un nome che contenga meno di 128 caratteri.", "PE.Controllers.Main.textNoLicenseTitle": "Limite di licenza raggiunto", "PE.Controllers.Main.textPaidFeature": "Caratteristica a pagamento", + "PE.Controllers.Main.textReconnect": "Connessione ripristinata", "PE.Controllers.Main.textRemember": "Ricorda la mia scelta", "PE.Controllers.Main.textRenameError": "Il nome utente non può essere vuoto.", "PE.Controllers.Main.textRenameLabel": "Immettere un nome da utilizzare per la collaborazione", @@ -750,6 +945,7 @@ "PE.Controllers.Main.warnNoLicense": "Hai raggiunto il limite per le connessioni simultanee agli editor %1. Questo documento verrà aperto in sola lettura.
Contatta il team di vendita di %1 per i termini di aggiornamento personali.", "PE.Controllers.Main.warnNoLicenseUsers": "Hai raggiunto il limite per gli utenti con accesso agli editor %1. Contatta il team di vendita di %1 per i termini di aggiornamento personali.", "PE.Controllers.Main.warnProcessRightsChange": "Ti è stato negato il diritto di modificare il file.", + "PE.Controllers.Statusbar.textDisconnect": "Connessione persa
Tentativo di connessione in corso. Si prega di controllare le impostazioni di connessione.", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Toolbar.confirmAddFontName": "Il carattere che vuoi salvare non è accessibile su questo dispositivo.
Lo stile di testo sarà visualizzato usando uno dei caratteri di sistema, il carattere salvato sarà usato quando accessibile.
Vuoi continuare?", "PE.Controllers.Toolbar.textAccent": "Accenti", @@ -1086,6 +1282,29 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Adatta alla diapositiva", "PE.Controllers.Viewport.textFitWidth": "Adatta alla larghezza", + "PE.Views.Animation.strDelay": "Ritardo", + "PE.Views.Animation.strDuration": "Durata", + "PE.Views.Animation.strRepeat": "Ripetere", + "PE.Views.Animation.strRewind": "Riavvolgere", + "PE.Views.Animation.strStart": "Avvio", + "PE.Views.Animation.strTrigger": "Grilletto", + "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.textOnClickOf": "Al clic di", + "PE.Views.Animation.textOnClickSequence": "Alla sequenza di clic", + "PE.Views.Animation.textStartAfterPrevious": "Dopo il precedente", + "PE.Views.Animation.textStartOnClick": "Al clic", + "PE.Views.Animation.textStartWithPrevious": "Con il precedente", + "PE.Views.Animation.txtAddEffect": "Aggiungi animazione", + "PE.Views.Animation.txtAnimationPane": "Riquadro animazione", + "PE.Views.Animation.txtParameters": "Parametri", + "PE.Views.Animation.txtPreview": "Anteprima", + "PE.Views.Animation.txtSec": "s", + "PE.Views.AnimationDialog.textPreviewEffect": "Anteprima dell'effetto", + "PE.Views.AnimationDialog.textTitle": "Altri effetti", "PE.Views.ChartSettings.textAdvanced": "Mostra impostazioni avanzate", "PE.Views.ChartSettings.textChartType": "Cambia tipo di grafico", "PE.Views.ChartSettings.textEditData": "Modifica dati", @@ -1165,6 +1384,7 @@ "PE.Views.DocumentHolder.textCut": "Taglia", "PE.Views.DocumentHolder.textDistributeCols": "Distribuisci colonne", "PE.Views.DocumentHolder.textDistributeRows": "Distribuisci righe", + "PE.Views.DocumentHolder.textEditPoints": "Modifica punti", "PE.Views.DocumentHolder.textFlipH": "Capovolgi orizzontalmente", "PE.Views.DocumentHolder.textFlipV": "Capovolgi verticalmente", "PE.Views.DocumentHolder.textFromFile": "Da file", @@ -1249,6 +1469,8 @@ "PE.Views.DocumentHolder.txtLimitUnder": "Limite sotto il testo", "PE.Views.DocumentHolder.txtMatchBrackets": "Adatta le parentesi all'altezza dell'argomento", "PE.Views.DocumentHolder.txtMatrixAlign": "Allineamento Matrice", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "Spostare la diapositiva alla fine", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "Spostare la diapositiva all'inizio", "PE.Views.DocumentHolder.txtNewSlide": "Nuova diapositiva", "PE.Views.DocumentHolder.txtOverbar": "Barra sopra al testo", "PE.Views.DocumentHolder.txtPasteDestFormat": "Usa tema di destinazione", @@ -1434,6 +1656,7 @@ "PE.Views.ImageSettings.textCrop": "Ritaglia", "PE.Views.ImageSettings.textCropFill": "Riempimento", "PE.Views.ImageSettings.textCropFit": "Adatta", + "PE.Views.ImageSettings.textCropToShape": "Ritagliare a forma", "PE.Views.ImageSettings.textEdit": "Modifica", "PE.Views.ImageSettings.textEditObject": "Modifica oggetto", "PE.Views.ImageSettings.textFitSlide": "Adatta alla diapositiva", @@ -1448,6 +1671,7 @@ "PE.Views.ImageSettings.textHintFlipV": "Capovolgi verticalmente", "PE.Views.ImageSettings.textInsert": "Sostituisci immagine", "PE.Views.ImageSettings.textOriginalSize": "Dimensione reale", + "PE.Views.ImageSettings.textRecentlyUsed": "Usati di recente", "PE.Views.ImageSettings.textRotate90": "Ruota di 90°", "PE.Views.ImageSettings.textRotation": "Rotazione", "PE.Views.ImageSettings.textSize": "Dimensione", @@ -1489,7 +1713,7 @@ "PE.Views.ParagraphSettings.textAt": "A", "PE.Views.ParagraphSettings.textAtLeast": "Minima", "PE.Views.ParagraphSettings.textAuto": "Multiplo", - "PE.Views.ParagraphSettings.textExact": "Esatta", + "PE.Views.ParagraphSettings.textExact": "Esattamente", "PE.Views.ParagraphSettings.txtAutoText": "Auto", "PE.Views.ParagraphSettingsAdvanced.noTabs": "Le schede specificate appariranno in questo campo", "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Tutto maiuscolo", @@ -1569,6 +1793,7 @@ "PE.Views.ShapeSettings.textPatternFill": "Modello", "PE.Views.ShapeSettings.textPosition": "Posizione", "PE.Views.ShapeSettings.textRadial": "Radiale", + "PE.Views.ShapeSettings.textRecentlyUsed": "Usati di recente", "PE.Views.ShapeSettings.textRotate90": "Ruota di 90°", "PE.Views.ShapeSettings.textRotation": "Rotazione", "PE.Views.ShapeSettings.textSelectImage": "Seleziona immagine", @@ -1885,6 +2110,7 @@ "PE.Views.Toolbar.textColumnsTwo": "Due colonne", "PE.Views.Toolbar.textItalic": "Corsivo", "PE.Views.Toolbar.textListSettings": "Impostazioni elenco", + "PE.Views.Toolbar.textRecentlyUsed": "Usati di recente", "PE.Views.Toolbar.textShapeAlignBottom": "Allinea in basso", "PE.Views.Toolbar.textShapeAlignCenter": "Allinea al centro", "PE.Views.Toolbar.textShapeAlignLeft": "Allinea a sinistra", @@ -1898,12 +2124,14 @@ "PE.Views.Toolbar.textStrikeout": "Barrato", "PE.Views.Toolbar.textSubscript": "Pedice", "PE.Views.Toolbar.textSuperscript": "Apice", + "PE.Views.Toolbar.textTabAnimation": "Animazione", "PE.Views.Toolbar.textTabCollaboration": "Collaborazione", "PE.Views.Toolbar.textTabFile": "File", "PE.Views.Toolbar.textTabHome": "Home", "PE.Views.Toolbar.textTabInsert": "Inserisci", "PE.Views.Toolbar.textTabProtect": "Protezione", "PE.Views.Toolbar.textTabTransitions": "Transizioni", + "PE.Views.Toolbar.textTabView": "Visualizza", "PE.Views.Toolbar.textTitleError": "Errore", "PE.Views.Toolbar.textUnderline": "Sottolineato", "PE.Views.Toolbar.tipAddSlide": "Aggiungi diapositiva", @@ -1957,6 +2185,7 @@ "PE.Views.Toolbar.tipViewSettings": "Mostra impostazioni", "PE.Views.Toolbar.txtDistribHor": "Distribuisci orizzontalmente", "PE.Views.Toolbar.txtDistribVert": "Distribuisci verticalmente", + "PE.Views.Toolbar.txtDuplicateSlide": "Duplica diapositiva", "PE.Views.Toolbar.txtGroup": "Raggruppa", "PE.Views.Toolbar.txtObjectsAlign": "Allinea oggetti selezionati", "PE.Views.Toolbar.txtScheme1": "Ufficio", @@ -2018,5 +2247,13 @@ "PE.Views.Transitions.txtApplyToAll": "Applicare a tutte le diapositive", "PE.Views.Transitions.txtParameters": "Parametri", "PE.Views.Transitions.txtPreview": "Anteprima", - "PE.Views.Transitions.txtSec": "s" + "PE.Views.Transitions.txtSec": "s", + "PE.Views.ViewTab.textAlwaysShowToolbar": "Mostra sempre barra degli strumenti ", + "PE.Views.ViewTab.textFitToSlide": "Adatta alla diapositiva", + "PE.Views.ViewTab.textFitToWidth": "Adatta alla larghezza", + "PE.Views.ViewTab.textInterfaceTheme": "Tema dell'interfaccia", + "PE.Views.ViewTab.textNotes": "Appunti", + "PE.Views.ViewTab.textRulers": "Righelli", + "PE.Views.ViewTab.textStatusBar": "Barra di stato", + "PE.Views.ViewTab.textZoom": "Zoom" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/ja.json b/apps/presentationeditor/main/locale/ja.json index a0c1c3f0f..a1ff9fca4 100644 --- a/apps/presentationeditor/main/locale/ja.json +++ b/apps/presentationeditor/main/locale/ja.json @@ -47,6 +47,27 @@ "Common.define.chartData.textScatterSmoothMarker": "マーカーと平滑線付き散布図", "Common.define.chartData.textStock": "株価チャート", "Common.define.chartData.textSurface": "表面", + "Common.define.effectData.textBox": "ボックス", + "Common.define.effectData.textCircle": "円", + "Common.define.effectData.textDown": "下", + "Common.define.effectData.textFade": "フェード", + "Common.define.effectData.textHorizontal": "水平", + "Common.define.effectData.textLeft": "左", + "Common.define.effectData.textLeftDown": "左下", + "Common.define.effectData.textLeftUp": "左上", + "Common.define.effectData.textRight": "右", + "Common.define.effectData.textRightDown": "右下", + "Common.define.effectData.textRightUp": "右上", + "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.textUp": "上", + "Common.define.effectData.textWave": "波", + "Common.define.effectData.textWipe": "ワイプ", + "Common.define.effectData.textZigzag": "ジグザグ", + "Common.define.effectData.textZoom": "ズーム", "Common.Translation.warnFileLocked": "文書が他のアプリで編集されています。編集を続けて、コピーとして保存できます。", "Common.Translation.warnFileLockedBtnEdit": "コピーを作成", "Common.Translation.warnFileLockedBtnView": "見に開く", @@ -61,6 +82,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": "代替テキストの挿入", @@ -129,12 +152,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": "閉じる", @@ -378,7 +403,7 @@ "PE.Controllers.LeftMenu.requestEditRightsText": "アクセス権の編集の要求中...", "PE.Controllers.LeftMenu.textLoadHistory": "バージョン履歴の読み込み中...", "PE.Controllers.LeftMenu.textNoTextFound": "検索データが見つかりませんでした。他の検索設定を選択してください。", - "PE.Controllers.LeftMenu.textReplaceSkipped": "置換が行われました。スキップされた発生回数は{0}です。", + "PE.Controllers.LeftMenu.textReplaceSkipped": "置換が完了しました。{0}つスキップされました。", "PE.Controllers.LeftMenu.textReplaceSuccess": "検索が行われました。変更された発生回数は{0}です。", "PE.Controllers.LeftMenu.txtUntitled": "タイトルなし", "PE.Controllers.Main.applyChangesTextText": "データを読み込んでいます...", @@ -420,7 +445,7 @@ "PE.Controllers.Main.errorUpdateVersionOnDisconnect": "インターネット接続が復旧し、ファイルのバージョンが更新されました。
作業を継続する前に、ファイルをダウンロードするか、内容をコピーして、変更が消えてしまわないように確認してから、ページを再びお読み込みください。", "PE.Controllers.Main.errorUserDrop": "今、ファイルにアクセスすることはできません。", "PE.Controllers.Main.errorUsersExceed": "料金プランによってユーザ数を超過しています。", - "PE.Controllers.Main.errorViewerDisconnect": "接続が接続が失われました。文書を表示が可能ですが、
接続が復元されてページが再ロードされるまで、ダウンロードまたは印刷することはできません。", + "PE.Controllers.Main.errorViewerDisconnect": "接続が失われました。文書の表示は可能ですが、
再度接続されてページが再ロードされるまで、ダウンロードまたは印刷することはできません。", "PE.Controllers.Main.leavePageText": "このプレゼンテーションの保存されていない変更があります。保存するために「このページにとどまる」、「保存」をクリックしてください。全ての保存しない変更をキャンサルするために「このページを離れる」をクリックしてください。", "PE.Controllers.Main.leavePageTextOnClose": "このプレゼンテーションで保存されていない変更はすべて失われます。
\"キャンセル\"をクリックしてから \"保存 \"をクリックすると、変更内容が保存されます。OK \"をクリックすると、保存されていないすべての変更が破棄されます。", "PE.Controllers.Main.loadFontsTextText": "データを読み込んでいます...", @@ -750,6 +775,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": "ダイアクリティカル・マーク", @@ -1086,6 +1112,7 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "ゼータ", "PE.Controllers.Viewport.textFitPage": "スライドのサイズに合わせる", "PE.Controllers.Viewport.textFitWidth": "幅に合わせる", + "PE.Views.Animation.txtPreview": "プレビュー", "PE.Views.ChartSettings.textAdvanced": "詳細設定の表示", "PE.Views.ChartSettings.textChartType": "グラフの種類の変更", "PE.Views.ChartSettings.textEditData": "データの編集", @@ -1299,7 +1326,7 @@ "PE.Views.FileMenu.btnBackCaption": "ファイルの場所を開く", "PE.Views.FileMenu.btnCloseMenuCaption": "(←戻る)", "PE.Views.FileMenu.btnCreateNewCaption": "新規作成", - "PE.Views.FileMenu.btnDownloadCaption": "ダウンロード...", + "PE.Views.FileMenu.btnDownloadCaption": "名前を付けてダウンロード", "PE.Views.FileMenu.btnExitCaption": "終了", "PE.Views.FileMenu.btnFileOpenCaption": "開く", "PE.Views.FileMenu.btnHelpCaption": "ヘルプ...", @@ -1376,7 +1403,7 @@ "PE.Views.FileMenuPanels.Settings.textDisabled": "無効", "PE.Views.FileMenuPanels.Settings.textForceSave": "中間バージョンの保存", "PE.Views.FileMenuPanels.Settings.textMinute": "1 分ごと", - "PE.Views.FileMenuPanels.Settings.txtAll": "全ての表示", + "PE.Views.FileMenuPanels.Settings.txtAll": "全て表示", "PE.Views.FileMenuPanels.Settings.txtAutoCorrect": "オートコレクト設定", "PE.Views.FileMenuPanels.Settings.txtCacheMode": "既定のキャッシュ モード", "PE.Views.FileMenuPanels.Settings.txtCm": "センチ", @@ -1898,12 +1925,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.textTabTransitions": "切り替え効果", + "PE.Views.Toolbar.textTabView": "表示", "PE.Views.Toolbar.textTitleError": "エラー", "PE.Views.Toolbar.textUnderline": "下線", "PE.Views.Toolbar.tipAddSlide": "スライドの追加", @@ -2018,5 +2047,7 @@ "PE.Views.Transitions.txtApplyToAll": "全てのスライドに適用する", "PE.Views.Transitions.txtParameters": "パラメーター", "PE.Views.Transitions.txtPreview": "プレビュー", - "PE.Views.Transitions.txtSec": "秒" + "PE.Views.Transitions.txtSec": "秒", + "PE.Views.ViewTab.textAlwaysShowToolbar": "ツールバーを常に表示する", + "PE.Views.ViewTab.textZoom": "ズーム" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/nl.json b/apps/presentationeditor/main/locale/nl.json index 177007bf2..4c92f2315 100644 --- a/apps/presentationeditor/main/locale/nl.json +++ b/apps/presentationeditor/main/locale/nl.json @@ -47,6 +47,16 @@ "Common.define.chartData.textScatterSmoothMarker": "Verspreid met vloeiende lijnen en markeringen ", "Common.define.chartData.textStock": "Voorraad", "Common.define.chartData.textSurface": "Oppervlak", + "Common.define.effectData.textCircle": "Rondje", + "Common.define.effectData.textCollapse": "Samenvouwen", + "Common.define.effectData.textDrop": "Vallen", + "Common.define.effectData.textHeart": "Hart", + "Common.define.effectData.textHeartbeat": "Hartslag", + "Common.define.effectData.textHexagon": "Zeshoek", + "Common.define.effectData.textPointStar4": "Vierpuntsster", + "Common.define.effectData.textPointStar5": "Vijfpuntsster", + "Common.define.effectData.textPointStar6": "Zespuntsster", + "Common.define.effectData.textPointStar8": "Achtpuntsster", "Common.Translation.warnFileLocked": "Het bestand wordt bewerkt in een andere app. U kunt doorgaan met bewerken en als kopie opslaan.", "Common.Translation.warnFileLockedBtnEdit": "Maak een kopie", "Common.Translation.warnFileLockedBtnView": "Open voor lezen", @@ -61,6 +71,7 @@ "Common.UI.ExtendedColorDialog.textNew": "Nieuw", "Common.UI.ExtendedColorDialog.textRGBErr": "De ingevoerde waarde is onjuist.
Voer een numerieke waarde tussen 0 en 255 in.", "Common.UI.HSBColorPicker.textNoColor": "Geen kleur", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Wachtwoord verbergen", "Common.UI.SearchDialog.textHighlight": "Resultaten markeren", "Common.UI.SearchDialog.textMatchCase": "Hoofdlettergevoelig", "Common.UI.SearchDialog.textReplaceDef": "Voer de vervangende tekst in", @@ -135,6 +146,7 @@ "Common.Views.Comments.textAddComment": "Opmerking toevoegen", "Common.Views.Comments.textAddCommentToDoc": "Opmerking toevoegen aan document", "Common.Views.Comments.textAddReply": "Antwoord toevoegen", + "Common.Views.Comments.textAll": "Alle", "Common.Views.Comments.textAnonym": "Gast", "Common.Views.Comments.textCancel": "Annuleren", "Common.Views.Comments.textClose": "Sluiten", @@ -1086,6 +1098,7 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Aanpassen aan dia", "PE.Controllers.Viewport.textFitWidth": "Aan breedte aanpassen", + "PE.Views.Animation.strDelay": "Vertragen", "PE.Views.ChartSettings.textAdvanced": "Geavanceerde instellingen tonen", "PE.Views.ChartSettings.textChartType": "Grafiektype wijzigen", "PE.Views.ChartSettings.textEditData": "Gegevens bewerken", @@ -1957,6 +1970,7 @@ "PE.Views.Toolbar.tipViewSettings": "Weergave-instellingen", "PE.Views.Toolbar.txtDistribHor": "Horizontaal verdelen", "PE.Views.Toolbar.txtDistribVert": "Verticaal verdelen", + "PE.Views.Toolbar.txtDuplicateSlide": "Dia dupliceren", "PE.Views.Toolbar.txtGroup": "Groeperen", "PE.Views.Toolbar.txtObjectsAlign": "Geslecteerde objecten uitlijnen", "PE.Views.Toolbar.txtScheme1": "Kantoor", @@ -2018,5 +2032,6 @@ "PE.Views.Transitions.txtApplyToAll": "Toepassen op alle dia's", "PE.Views.Transitions.txtParameters": "Parameters", "PE.Views.Transitions.txtPreview": "Voorbeeld", - "PE.Views.Transitions.txtSec": "s" + "PE.Views.Transitions.txtSec": "s", + "PE.Views.ViewTab.textAlwaysShowToolbar": "Werkbalk altijd weergeven" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/pt.json b/apps/presentationeditor/main/locale/pt.json index 635a62d56..3e6687abd 100644 --- a/apps/presentationeditor/main/locale/pt.json +++ b/apps/presentationeditor/main/locale/pt.json @@ -67,23 +67,173 @@ "Common.define.effectData.textBounceRight": "Saltar para a direita", "Common.define.effectData.textBox": "Caixa", "Common.define.effectData.textBrushColor": "Cor do pincel", + "Common.define.effectData.textCenterRevolve": "Centro Rotativo", + "Common.define.effectData.textCheckerboard": "Quadro de verificação", "Common.define.effectData.textCircle": "Círculo", "Common.define.effectData.textCollapse": "Colapso", + "Common.define.effectData.textColorPulse": "Pulsação de cor", + "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": "Lua crescente", + "Common.define.effectData.textCurveDown": "Curva para baixo", + "Common.define.effectData.textCurvedSquare": "Quadrado Curvo", + "Common.define.effectData.textCurvedX": "X curvo", + "Common.define.effectData.textCurvyLeft": "Curva Esquerda", + "Common.define.effectData.textCurvyRight": "Curva à direita", + "Common.define.effectData.textCurvyStar": "Estrela curvilínea", + "Common.define.effectData.textCustomPath": "Caminho personalizado", + "Common.define.effectData.textCuverUp": "Cobrir", + "Common.define.effectData.textDarken": "Escurecer", + "Common.define.effectData.textDecayingWave": "Onda Decadente", + "Common.define.effectData.textDesaturate": "Dessaturar", + "Common.define.effectData.textDiagonalDownRight": "Diagonal para baixo à direita", + "Common.define.effectData.textDiagonalUpRight": "Diagonal para cima à direita", + "Common.define.effectData.textDiamond": "Diamante", + "Common.define.effectData.textDisappear": "Desaparecer", + "Common.define.effectData.textDissolveIn": "Dissolver em", + "Common.define.effectData.textDissolveOut": "Dissolver", + "Common.define.effectData.textDown": "Abaixo", + "Common.define.effectData.textDrop": "Gota", + "Common.define.effectData.textEmphasis": "Efeito de ênfase", + "Common.define.effectData.textEntrance": "Efeito de entrada", + "Common.define.effectData.textEqualTriangle": "Triângulo igual", + "Common.define.effectData.textExciting": "Emocionante", + "Common.define.effectData.textExit": "Efeito de saída", + "Common.define.effectData.textExpand": "Expandir", + "Common.define.effectData.textFade": "Esmaecer", + "Common.define.effectData.textFigureFour": "Figura 8 Quatro", + "Common.define.effectData.textFillColor": "Cor de preenchimento", + "Common.define.effectData.textFlip": "Girar", + "Common.define.effectData.textFloat": "Flutuar", + "Common.define.effectData.textFloatDown": "Flutuar para baixo", + "Common.define.effectData.textFloatIn": "Flutuar dentro", + "Common.define.effectData.textFloatOut": "Flutuar para fora", + "Common.define.effectData.textFloatUp": "Flutuar para cima", + "Common.define.effectData.textFlyIn": "Voar em", + "Common.define.effectData.textFlyOut": "Voar para fora", + "Common.define.effectData.textFontColor": "Cor da fonte", + "Common.define.effectData.textFootball": "Futebol", + "Common.define.effectData.textFromBottom": "Do fundo", + "Common.define.effectData.textFromBottomLeft": "Da parte inferior esquerda", + "Common.define.effectData.textFromBottomRight": "Da parte inferior direita", + "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": "Crescer/Encolher", + "Common.define.effectData.textGrowTurn": "Crescer e transformar", + "Common.define.effectData.textGrowWithColor": "Aumentos de cor", + "Common.define.effectData.textHeart": "Coração", + "Common.define.effectData.textHeartbeat": "Batimento cardiaco", + "Common.define.effectData.textHexagon": "Hexágono", + "Common.define.effectData.textHorizontal": "Horizontal", + "Common.define.effectData.textHorizontalFigure": "Horizontal Figura 8", + "Common.define.effectData.textHorizontalIn": "Horizontal para dentro", + "Common.define.effectData.textHorizontalOut": "Horizontal para fora", + "Common.define.effectData.textIn": "Em", + "Common.define.effectData.textInFromScreenCenter": "No centro da tela", + "Common.define.effectData.textInSlightly": "Ligeiramente", + "Common.define.effectData.textInvertedSquare": "Quadrado invertido", + "Common.define.effectData.textInvertedTriangle": "Triângulo Invertido", + "Common.define.effectData.textLeft": "Esquerda", "Common.define.effectData.textLeftDown": "Esquerda para baixo", "Common.define.effectData.textLeftUp": "Esquerda para cima", + "Common.define.effectData.textLighten": "Clarear", + "Common.define.effectData.textLineColor": "Cor da linha", + "Common.define.effectData.textLinesCurves": "Curvas de Linhas", + "Common.define.effectData.textLoopDeLoop": "Faça o laço", + "Common.define.effectData.textModerate": "Moderado", + "Common.define.effectData.textNeutron": "Nêutron", + "Common.define.effectData.textObjectCenter": "Centro de Objeto", + "Common.define.effectData.textObjectColor": "Cor do objeto", + "Common.define.effectData.textOctagon": "Octógono", + "Common.define.effectData.textOut": "Fora", + "Common.define.effectData.textOutFromScreenBottom": "Fora do fundo da tela", + "Common.define.effectData.textOutSlightly": "Um pouco fora", + "Common.define.effectData.textParallelogram": "Paralelograma", + "Common.define.effectData.textPath": "Caminho do movimento", + "Common.define.effectData.textPeanut": "Amendoim", + "Common.define.effectData.textPeekIn": "Espreitar", + "Common.define.effectData.textPeekOut": "Espiar", + "Common.define.effectData.textPentagon": "Pentágono", + "Common.define.effectData.textPinwheel": "Cata-vento", + "Common.define.effectData.textPlus": "Mais", + "Common.define.effectData.textPointStar": "Estrela do Ponto", "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": "Pulsar", + "Common.define.effectData.textRandomBars": "Barras aleatórias", + "Common.define.effectData.textRight": "Direita", "Common.define.effectData.textRightDown": "Direita para baixo", + "Common.define.effectData.textRightTriangle": "Triângulo Retângulo", "Common.define.effectData.textRightUp": "Direita para cima", + "Common.define.effectData.textRiseUp": "Erguer", + "Common.define.effectData.textSCurve1": "Curva S 1", + "Common.define.effectData.textSCurve2": "Curva S 2", + "Common.define.effectData.textShape": "Forma", + "Common.define.effectData.textShimmer": "Cintilar", + "Common.define.effectData.textShrinkTurn": "Encolher e girar", + "Common.define.effectData.textSineWave": "Onda senoidal", + "Common.define.effectData.textSinkDown": "Afundar", + "Common.define.effectData.textSlideCenter": "Centro de slides", + "Common.define.effectData.textSpecial": "Especial", + "Common.define.effectData.textSpin": "Rodar", + "Common.define.effectData.textSpinner": "Roda giratória", + "Common.define.effectData.textSpiralIn": "Espiral Em", + "Common.define.effectData.textSpiralLeft": "Espiral esquerdo", + "Common.define.effectData.textSpiralOut": "Espiral Fora", + "Common.define.effectData.textSpiralRight": "Espiral Direito", + "Common.define.effectData.textSplit": "Dividir", "Common.define.effectData.textSpoke1": "1 Falou", "Common.define.effectData.textSpoke2": "2 Falaram", "Common.define.effectData.textSpoke3": "3 Falaram", "Common.define.effectData.textSpoke4": "4 Falaram", "Common.define.effectData.textSpoke8": "8 Falaram", + "Common.define.effectData.textSpring": "Primavera", + "Common.define.effectData.textSquare": "Quadrado", + "Common.define.effectData.textStairsDown": "Escadas para baixo", + "Common.define.effectData.textStretch": "Alongar", + "Common.define.effectData.textStrips": "Tiras", + "Common.define.effectData.textSubtle": "Sutil", + "Common.define.effectData.textSwivel": "Girar", + "Common.define.effectData.textSwoosh": "Swoosh", + "Common.define.effectData.textTeardrop": "Lágrima", + "Common.define.effectData.textTeeter": "Gangorra", + "Common.define.effectData.textToBottom": "Para baixo", + "Common.define.effectData.textToBottomLeft": "Para Inferior-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 o topo", + "Common.define.effectData.textToTopLeft": "Para o canto superior esquerdo", + "Common.define.effectData.textToTopRight": "Para o canto superior direito", + "Common.define.effectData.textTransparency": "Transparência", + "Common.define.effectData.textTrapezoid": "Trapézio", + "Common.define.effectData.textTurnDown": "Baixar", + "Common.define.effectData.textTurnDownRight": "Virar para baixo à direita", + "Common.define.effectData.textTurnUp": "Virar para cima", + "Common.define.effectData.textTurnUpRight": "Vire à 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": "ziguezague", + "Common.define.effectData.textZoom": "Zoom", "Common.Translation.warnFileLocked": "Documento está em uso por outra aplicação. Você pode continuar editando e salvá-lo como uma cópia.", "Common.Translation.warnFileLockedBtnEdit": "Criar uma cópia", "Common.Translation.warnFileLockedBtnView": "Aberto para visualização", @@ -98,6 +248,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Novo", "Common.UI.ExtendedColorDialog.textRGBErr": "O valor inserido está incorreto.
Insira um valor numérico entre 0 e 255.", "Common.UI.HSBColorPicker.textNoColor": "Sem cor", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Ocultar palavra-chave", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostrar senha", "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", @@ -167,6 +319,7 @@ "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", @@ -187,6 +340,7 @@ "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 comentários", "Common.Views.CopyWarningDialog.textDontShow": "Não exibir esta mensagem novamente", "Common.Views.CopyWarningDialog.textMsg": "As ações copiar, cortar e colar usando os botões da barra de ferramentas do editor e as ações de menu de contexto serão realizadas apenas nesta aba do editor.

Para copiar ou colar para ou de aplicativos externos a aba do editor, use as seguintes combinações do teclado:", "Common.Views.CopyWarningDialog.textTitle": "Ações copiar, cortar e colar", @@ -351,6 +505,7 @@ "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 comentários", "Common.Views.ReviewPopover.txtDeleteTip": "Excluir", "Common.Views.ReviewPopover.txtEditTip": "Editar", "Common.Views.SaveAsDlg.textLoading": "Carregando", @@ -508,6 +663,7 @@ "PE.Controllers.Main.textLongName": "Insira um nome com menos de 128 caracteres.", "PE.Controllers.Main.textNoLicenseTitle": "Limite de licença atingido", "PE.Controllers.Main.textPaidFeature": "Recurso pago", + "PE.Controllers.Main.textReconnect": "A conexão é restaurada", "PE.Controllers.Main.textRemember": "Lembre-se da minha escolha", "PE.Controllers.Main.textRenameError": "O nome de usuário não pode estar vazio.", "PE.Controllers.Main.textRenameLabel": "Insira um nome a ser usado para colaboração", @@ -1126,9 +1282,29 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Ajustar slide", "PE.Controllers.Viewport.textFitWidth": "Ajustar à Largura", + "PE.Views.Animation.strDelay": "Atraso", + "PE.Views.Animation.strDuration": "Duração", + "PE.Views.Animation.strRepeat": "Repita", + "PE.Views.Animation.strRewind": "Retroceder", + "PE.Views.Animation.strStart": "Iniciar", + "PE.Views.Animation.strTrigger": "Acionar", + "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.textOnClickOf": "Em Clique de", + "PE.Views.Animation.textOnClickSequence": "Em Sequência de cliques", "PE.Views.Animation.textStartAfterPrevious": "Após o anterior", + "PE.Views.Animation.textStartOnClick": "No Clique", + "PE.Views.Animation.textStartWithPrevious": "Com Anterior", "PE.Views.Animation.txtAddEffect": "Adicionar animação", "PE.Views.Animation.txtAnimationPane": "Painel de animação", + "PE.Views.Animation.txtParameters": "Parâmetros", + "PE.Views.Animation.txtPreview": "Pré-visualizar", + "PE.Views.Animation.txtSec": "S", + "PE.Views.AnimationDialog.textPreviewEffect": "Efeito de visualização", + "PE.Views.AnimationDialog.textTitle": "Mais efeitos", "PE.Views.ChartSettings.textAdvanced": "Exibir configurações avançadas", "PE.Views.ChartSettings.textChartType": "Alterar tipo de gráfico", "PE.Views.ChartSettings.textEditData": "Editar dados", @@ -1208,6 +1384,7 @@ "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": "Do Arquivo", @@ -1292,6 +1469,8 @@ "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 slide para o fim", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "Deslize para o início", "PE.Views.DocumentHolder.txtNewSlide": "Novo slide", "PE.Views.DocumentHolder.txtOverbar": "Barra sobre texto", "PE.Views.DocumentHolder.txtPasteDestFormat": "Use o tema de destino", @@ -1477,6 +1656,7 @@ "PE.Views.ImageSettings.textCrop": "Cortar", "PE.Views.ImageSettings.textCropFill": "Preencher", "PE.Views.ImageSettings.textCropFit": "Ajustar", + "PE.Views.ImageSettings.textCropToShape": "Cortar para dar forma", "PE.Views.ImageSettings.textEdit": "Editar", "PE.Views.ImageSettings.textEditObject": "Editar objeto", "PE.Views.ImageSettings.textFitSlide": "Ajustar slide", @@ -1491,6 +1671,7 @@ "PE.Views.ImageSettings.textHintFlipV": "Virar verticalmente", "PE.Views.ImageSettings.textInsert": "Substituir imagem", "PE.Views.ImageSettings.textOriginalSize": "Tamanho padrão", + "PE.Views.ImageSettings.textRecentlyUsed": "Usado recentemente", "PE.Views.ImageSettings.textRotate90": "Girar 90°", "PE.Views.ImageSettings.textRotation": "Rotação", "PE.Views.ImageSettings.textSize": "Tamanho", @@ -1612,6 +1793,7 @@ "PE.Views.ShapeSettings.textPatternFill": "Padrão", "PE.Views.ShapeSettings.textPosition": "Posição", "PE.Views.ShapeSettings.textRadial": "Radial", + "PE.Views.ShapeSettings.textRecentlyUsed": "Usado recentemente", "PE.Views.ShapeSettings.textRotate90": "Girar 90º", "PE.Views.ShapeSettings.textRotation": "Rotação", "PE.Views.ShapeSettings.textSelectImage": "Selecionar imagem", @@ -1928,6 +2110,7 @@ "PE.Views.Toolbar.textColumnsTwo": "Duas Colunas", "PE.Views.Toolbar.textItalic": "Itálico", "PE.Views.Toolbar.textListSettings": "Configurações da lista", + "PE.Views.Toolbar.textRecentlyUsed": "Usado recentemente", "PE.Views.Toolbar.textShapeAlignBottom": "Alinhar à parte inferior", "PE.Views.Toolbar.textShapeAlignCenter": "Alinhar ao centro", "PE.Views.Toolbar.textShapeAlignLeft": "Alinhar à esquerda", @@ -1948,6 +2131,7 @@ "PE.Views.Toolbar.textTabInsert": "Inserir", "PE.Views.Toolbar.textTabProtect": "Proteção", "PE.Views.Toolbar.textTabTransitions": "Transições", + "PE.Views.Toolbar.textTabView": "Ver", "PE.Views.Toolbar.textTitleError": "Erro", "PE.Views.Toolbar.textUnderline": "Sublinhado", "PE.Views.Toolbar.tipAddSlide": "Adicionar slide", @@ -2001,6 +2185,7 @@ "PE.Views.Toolbar.tipViewSettings": "Visualizar configurações", "PE.Views.Toolbar.txtDistribHor": "Distribuir horizontalmente", "PE.Views.Toolbar.txtDistribVert": "Distribuir verticalmente", + "PE.Views.Toolbar.txtDuplicateSlide": "Slide duplicado", "PE.Views.Toolbar.txtGroup": "Grupo", "PE.Views.Toolbar.txtObjectsAlign": "Alinhar Objetos Selecionados", "PE.Views.Toolbar.txtScheme1": "Office", @@ -2063,5 +2248,12 @@ "PE.Views.Transitions.txtParameters": "Parâmetros", "PE.Views.Transitions.txtPreview": "Pré-visualizar", "PE.Views.Transitions.txtSec": "S", - "PE.Views.ViewTab.textAlwaysShowToolbar": "Sempre mostrar a barra de ferramentas" + "PE.Views.ViewTab.textAlwaysShowToolbar": "Sempre mostrar a barra de ferramentas", + "PE.Views.ViewTab.textFitToSlide": "Ajustar slide", + "PE.Views.ViewTab.textFitToWidth": "Ajustar largura", + "PE.Views.ViewTab.textInterfaceTheme": "Tema de interface", + "PE.Views.ViewTab.textNotes": "Notas", + "PE.Views.ViewTab.textRulers": "Regras", + "PE.Views.ViewTab.textStatusBar": "Barra de status", + "PE.Views.ViewTab.textZoom": "Zoom" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/ro.json b/apps/presentationeditor/main/locale/ro.json index 12803d15e..c2f06ad79 100644 --- a/apps/presentationeditor/main/locale/ro.json +++ b/apps/presentationeditor/main/locale/ro.json @@ -47,6 +47,193 @@ "Common.define.chartData.textScatterSmoothMarker": "Diagramă prin puncte cu linii netede și marcatori", "Common.define.chartData.textStock": "Bursiere", "Common.define.chartData.textSurface": "Suprafața", + "Common.define.effectData.textAcross": "În diagonală", + "Common.define.effectData.textAppear": "Apariție", + "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.textArcUp": "Arcuire în sus", + "Common.define.effectData.textBasic": "De bază", + "Common.define.effectData.textBasicSwivel": "Învârtire simplă", + "Common.define.effectData.textBasicZoom": "Zoom simplu", + "Common.define.effectData.textBean": "Fasole", + "Common.define.effectData.textBlinds": "Jaluzele", + "Common.define.effectData.textBlink": "Clipire", + "Common.define.effectData.textBoldFlash": "Sclipire+aldin", + "Common.define.effectData.textBoldReveal": "Descoperă+aldin", + "Common.define.effectData.textBoomerang": "Bumerang", + "Common.define.effectData.textBounce": "Săritură", + "Common.define.effectData.textBounceLeft": "Săritură spre stânga", + "Common.define.effectData.textBounceRight": "Săritură spre dreapta", + "Common.define.effectData.textBox": "Casetă", + "Common.define.effectData.textBrushColor": "Periere culoare", + "Common.define.effectData.textCenterRevolve": "Rotație centrală", + "Common.define.effectData.textCheckerboard": "Tablă de șah", + "Common.define.effectData.textCircle": "Cerc", + "Common.define.effectData.textCollapse": "Restrângere", + "Common.define.effectData.textColorPulse": "Puls culoare", + "Common.define.effectData.textComplementaryColor": "Culoare complementară", + "Common.define.effectData.textComplementaryColor2": "Culoare complementară 2", + "Common.define.effectData.textCompress": "Comprimare", + "Common.define.effectData.textContrast": "Contrast", + "Common.define.effectData.textContrastingColor": "Culoare de contrast", + "Common.define.effectData.textCredits": "Generic", + "Common.define.effectData.textCrescentMoon": "Lună în creștere", + "Common.define.effectData.textCurveDown": "Curbat în jos", + "Common.define.effectData.textCurvedSquare": "Pătrat curbat", + "Common.define.effectData.textCurvedX": "X curbat", + "Common.define.effectData.textCurvyLeft": "Curbat la stânga", + "Common.define.effectData.textCurvyRight": "Curbat spre dreapta", + "Common.define.effectData.textCurvyStar": "Stea rotunjita", + "Common.define.effectData.textCustomPath": "Cale particularizată", + "Common.define.effectData.textCuverUp": "Curbat în sus", + "Common.define.effectData.textDarken": "Întunecat", + "Common.define.effectData.textDecayingWave": "Val descendent", + "Common.define.effectData.textDesaturate": "Nesaturat", + "Common.define.effectData.textDiagonalDownRight": "În diaginală spre drepta jos", + "Common.define.effectData.textDiagonalUpRight": "În diagonală spre dreapta sus", + "Common.define.effectData.textDiamond": "Romb", + "Common.define.effectData.textDisappear": "Dispariție", + "Common.define.effectData.textDissolveIn": "Dizolvare spre interior", + "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.textEqualTriangle": "Triunghi echilateral", + "Common.define.effectData.textExciting": "Emoționant", + "Common.define.effectData.textExit": "Efect de ieșire", + "Common.define.effectData.textExpand": "Extindere", + "Common.define.effectData.textFade": "Estompare", + "Common.define.effectData.textFigureFour": "Cifra 8 de patru ori", + "Common.define.effectData.textFillColor": "Culoare de umplere", + "Common.define.effectData.textFlip": "Răsturnare", + "Common.define.effectData.textFloat": "Flotant", + "Common.define.effectData.textFloatDown": "Flotant în jos", + "Common.define.effectData.textFloatIn": "Plutire în interior", + "Common.define.effectData.textFloatOut": "Plutire în exterior", + "Common.define.effectData.textFloatUp": "Flotant în sus", + "Common.define.effectData.textFlyIn": "Zbor înauntru", + "Common.define.effectData.textFlyOut": "Flotant în jos", + "Common.define.effectData.textFontColor": "Culoare font", + "Common.define.effectData.textFootball": "Fotbal", + "Common.define.effectData.textFromBottom": "De jos", + "Common.define.effectData.textFromBottomLeft": "Din stânga jos", + "Common.define.effectData.textFromBottomRight": "Din dreapta jos", + "Common.define.effectData.textFromLeft": "Din stânga", + "Common.define.effectData.textFromRight": "Din dreapta", + "Common.define.effectData.textFromTop": "De sus", + "Common.define.effectData.textFromTopLeft": "Din stânga sus", + "Common.define.effectData.textFromTopRight": "Din dreapta sus", + "Common.define.effectData.textFunnel": "Extrage", + "Common.define.effectData.textGrowShrink": "Creștere/ Micșorare", + "Common.define.effectData.textGrowTurn": "Creștere și întoarcere", + "Common.define.effectData.textGrowWithColor": "Creștere cu culoare", + "Common.define.effectData.textHeart": "Inimă", + "Common.define.effectData.textHeartbeat": "Bătaia inimii", + "Common.define.effectData.textHexagon": "Hexagon", + "Common.define.effectData.textHorizontal": "Orizontală", + "Common.define.effectData.textHorizontalFigure": "Cifra 8 orizontală", + "Common.define.effectData.textHorizontalIn": "Orizontal în interior", + "Common.define.effectData.textHorizontalOut": "Orizontal în exterior", + "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.textInvertedSquare": "Pătrat invers", + "Common.define.effectData.textInvertedTriangle": "Triunghi invers", + "Common.define.effectData.textLeft": "Stânga", + "Common.define.effectData.textLeftDown": "În stânga jos", + "Common.define.effectData.textLeftUp": "În stânga sus", + "Common.define.effectData.textLighten": "Luminare", + "Common.define.effectData.textLineColor": "Culoare linie", + "Common.define.effectData.textLinesCurves": "Linii Curbe", + "Common.define.effectData.textLoopDeLoop": "Bucle", + "Common.define.effectData.textModerate": "Moderat", + "Common.define.effectData.textNeutron": "Neutron", + "Common.define.effectData.textObjectCenter": "Centrul obiectului", + "Common.define.effectData.textObjectColor": "Culoare obiect", + "Common.define.effectData.textOctagon": "Octogon", + "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.textParallelogram": "Paralelogram", + "Common.define.effectData.textPath": "Cale de mișcare", + "Common.define.effectData.textPeanut": "Alună", + "Common.define.effectData.textPeekIn": "Glisare rapidă spre interior", + "Common.define.effectData.textPeekOut": "Glisare rapidă spre exterior", + "Common.define.effectData.textPentagon": "Pentagon", + "Common.define.effectData.textPinwheel": "Morișcă", + "Common.define.effectData.textPlus": "Plus", + "Common.define.effectData.textPointStar": "Stea cu puncte", + "Common.define.effectData.textPointStar4": "Stea în 4 colțuri", + "Common.define.effectData.textPointStar5": "Stea în 5 colțuri", + "Common.define.effectData.textPointStar6": "Stea în 6 colțuri", + "Common.define.effectData.textPointStar8": "Stea în 8 colțuri", + "Common.define.effectData.textPulse": "Impuls", + "Common.define.effectData.textRandomBars": "Bare aleatoare", + "Common.define.effectData.textRight": "Dreapta", + "Common.define.effectData.textRightDown": "În dreapta jos", + "Common.define.effectData.textRightTriangle": "Triunghi drept", + "Common.define.effectData.textRightUp": "În dreapta sus", + "Common.define.effectData.textRiseUp": "Se ridică", + "Common.define.effectData.textSCurve1": "Curbă S1", + "Common.define.effectData.textSCurve2": "Curbă S2", + "Common.define.effectData.textShape": "Forma", + "Common.define.effectData.textShimmer": "Licărire", + "Common.define.effectData.textShrinkTurn": "Micșorare și întoarcere", + "Common.define.effectData.textSineWave": "Val sinusoidal", + "Common.define.effectData.textSinkDown": "Scufundare", + "Common.define.effectData.textSlideCenter": "Centrul diapozitivului", + "Common.define.effectData.textSpecial": "Special", + "Common.define.effectData.textSpin": "Rotire", + "Common.define.effectData.textSpinner": "Incrementare/Decrementare", + "Common.define.effectData.textSpiralIn": "Spirală spre interior", + "Common.define.effectData.textSpiralLeft": "Spirală spre stânga", + "Common.define.effectData.textSpiralOut": "Spirală spre exterior", + "Common.define.effectData.textSpiralRight": "Spirală spre dreapta", + "Common.define.effectData.textSplit": "Scindare", + "Common.define.effectData.textSpoke1": "1 spiță", + "Common.define.effectData.textSpoke2": "2 spițe", + "Common.define.effectData.textSpoke3": "3 spițe", + "Common.define.effectData.textSpoke4": "4 spițe", + "Common.define.effectData.textSpoke8": "8 spițe", + "Common.define.effectData.textSpring": "Salt", + "Common.define.effectData.textSquare": "Pătrat", + "Common.define.effectData.textStairsDown": "Scări în jos", + "Common.define.effectData.textStretch": "Întindere", + "Common.define.effectData.textStrips": "Fâșii", + "Common.define.effectData.textSubtle": "Subtil", + "Common.define.effectData.textSwivel": "Învârtire", + "Common.define.effectData.textSwoosh": "Șuierat", + "Common.define.effectData.textTeardrop": "Lacrimă", + "Common.define.effectData.textTeeter": "Balansare", + "Common.define.effectData.textToBottom": "În jos", + "Common.define.effectData.textToBottomLeft": "Spre stânga jos", + "Common.define.effectData.textToBottomRight": "Spre dreapta jos", + "Common.define.effectData.textToLeft": "Spre stânga", + "Common.define.effectData.textToRight": "Spre dreapta", + "Common.define.effectData.textToTop": "În sus", + "Common.define.effectData.textToTopLeft": "Spre stânga sus", + "Common.define.effectData.textToTopRight": "Spre dreapta sus", + "Common.define.effectData.textTransparency": "Transparență", + "Common.define.effectData.textTrapezoid": "Trapez", + "Common.define.effectData.textTurnDown": "Întoarcere în jos", + "Common.define.effectData.textTurnDownRight": "Întoarcere spre dreapta jos", + "Common.define.effectData.textTurnUp": "Întoarcere în sus", + "Common.define.effectData.textTurnUpRight": "Întoarcere spre dreapta sus", + "Common.define.effectData.textUnderline": "Subliniat", + "Common.define.effectData.textUp": "În sus", + "Common.define.effectData.textVertical": "Vertical", + "Common.define.effectData.textVerticalFigure": "Cifra 8 verticală", + "Common.define.effectData.textVerticalIn": "Vertical în interior", + "Common.define.effectData.textVerticalOut": "Vertical în exterior", + "Common.define.effectData.textWave": "Ondulare", + "Common.define.effectData.textWedge": "Pană", + "Common.define.effectData.textWheel": "Roată", + "Common.define.effectData.textWhip": "Bici", + "Common.define.effectData.textWipe": "Ștergere", + "Common.define.effectData.textZigzag": "Zigzag", + "Common.define.effectData.textZoom": "Zoom", "Common.Translation.warnFileLocked": "Fișierul este editat într-o altă aplicație. Puteți continua să editați și să-l salvați ca o copie.", "Common.Translation.warnFileLockedBtnEdit": "Crează o copie", "Common.Translation.warnFileLockedBtnView": "Deschide vizualizarea", @@ -61,6 +248,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nou", "Common.UI.ExtendedColorDialog.textRGBErr": "Valoarea introdusă nu este corectă.
Introduceți valoarea numerică de la 0 până la 255.", "Common.UI.HSBColorPicker.textNoColor": "Fără culoare", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Ascunde parola", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Afișează parola", "Common.UI.SearchDialog.textHighlight": "Evidențierea rezultatelor", "Common.UI.SearchDialog.textMatchCase": "Sensibil la litere mari și mici", "Common.UI.SearchDialog.textReplaceDef": "Introduceți textul înlocuitor", @@ -104,6 +293,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Creare automată a listei cu marcatori", "Common.Views.AutoCorrectDialog.textBy": "După", "Common.Views.AutoCorrectDialog.textDelete": "Ștergere", + "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", "Common.Views.AutoCorrectDialog.textHyphens": "Cratime (--) cu linie de dialog (—)", @@ -129,12 +319,14 @@ "Common.Views.Comments.mniAuthorDesc": "Autor de la Z la A", "Common.Views.Comments.mniDateAsc": "Cele mai vechi", "Common.Views.Comments.mniDateDesc": "Cele mai recente", + "Common.Views.Comments.mniFilterGroups": "Filtrare după grup", "Common.Views.Comments.mniPositionAsc": "De sus", "Common.Views.Comments.mniPositionDesc": "De jos", "Common.Views.Comments.textAdd": "Adaugă", "Common.Views.Comments.textAddComment": "Adaugă comentariu", "Common.Views.Comments.textAddCommentToDoc": "Adăugare comentariu la document", "Common.Views.Comments.textAddReply": "Adăugare răspuns", + "Common.Views.Comments.textAll": "Toate", "Common.Views.Comments.textAnonym": "Invitat", "Common.Views.Comments.textCancel": "Revocare", "Common.Views.Comments.textClose": "Închidere", @@ -148,6 +340,7 @@ "Common.Views.Comments.textResolve": "Rezolvare", "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.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", @@ -312,6 +505,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Deschidere din nou", "Common.Views.ReviewPopover.textReply": "Răspunde", "Common.Views.ReviewPopover.textResolve": "Rezolvare", + "Common.Views.ReviewPopover.textViewResolved": "Dvs. nu aveți permisiunea de a redeschide comentariu", "Common.Views.ReviewPopover.txtDeleteTip": "Ștergere", "Common.Views.ReviewPopover.txtEditTip": "Editare", "Common.Views.SaveAsDlg.textLoading": "Încărcare", @@ -469,6 +663,7 @@ "PE.Controllers.Main.textLongName": "Numărul maxim de caractere dintr-un nume este 128 caractere.", "PE.Controllers.Main.textNoLicenseTitle": "Ați atins limita stabilită de licență", "PE.Controllers.Main.textPaidFeature": "Funcția contra plată", + "PE.Controllers.Main.textReconnect": "Conexiunea este restabilită", "PE.Controllers.Main.textRemember": "Salvează setările pentru toate fișiere", "PE.Controllers.Main.textRenameError": "Numele utilizatorului trebuie comletat.", "PE.Controllers.Main.textRenameLabel": "Introduceți numele pentru lucrul în colaborare", @@ -655,11 +850,11 @@ "PE.Controllers.Main.txtShape_star16": "Stea cu 16 colțuri", "PE.Controllers.Main.txtShape_star24": "Stea cu 24 colțuri", "PE.Controllers.Main.txtShape_star32": "Stea cu 32 colțuri", - "PE.Controllers.Main.txtShape_star4": "Stea cu 4 colțuri", - "PE.Controllers.Main.txtShape_star5": "Stea cu 5 colțuri", - "PE.Controllers.Main.txtShape_star6": "Stea cu 6 colțuri", - "PE.Controllers.Main.txtShape_star7": "Stea cu 7 colțuri", - "PE.Controllers.Main.txtShape_star8": "Stea cu 8 colțuri", + "PE.Controllers.Main.txtShape_star4": "Stea în 4 colțuri", + "PE.Controllers.Main.txtShape_star5": "Stea în 5 colțuri", + "PE.Controllers.Main.txtShape_star6": "Stea în 6 colțuri", + "PE.Controllers.Main.txtShape_star7": "Stea în 7 colțuri", + "PE.Controllers.Main.txtShape_star8": "Stea în 8 colțuri", "PE.Controllers.Main.txtShape_stripedRightArrow": "Săgeată dreapta vărgată", "PE.Controllers.Main.txtShape_sun": "Soare", "PE.Controllers.Main.txtShape_teardrop": "Lacrimă", @@ -750,6 +945,7 @@ "PE.Controllers.Main.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 licențiere.", "PE.Controllers.Main.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.", "PE.Controllers.Main.warnProcessRightsChange": "Accesul la editarea fișierului refuzat.", + "PE.Controllers.Statusbar.textDisconnect": "Conexiunea a fost pierdută
Încercare de conectare. Verificați setările conexiunii.", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Toolbar.confirmAddFontName": "Fonturi pe care doriți să le salvați nu sunt disponibile pe acest dispozitiv.
Textul va apărea scris cu fontul și stilul disponibil pe sistem, fontul salvat va fi aplicat de îndată ce devine disponibil.
Doriți să continuați?", "PE.Controllers.Toolbar.textAccent": "Accente", @@ -1086,6 +1282,29 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Se aliniază la diapozitiv", "PE.Controllers.Viewport.textFitWidth": "Potrivire lățime", + "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.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.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.txtAddEffect": "Adăugare animație", + "PE.Views.Animation.txtAnimationPane": "Panou de animație", + "PE.Views.Animation.txtParameters": "Opțiuni", + "PE.Views.Animation.txtPreview": "Previzualizare", + "PE.Views.Animation.txtSec": "s", + "PE.Views.AnimationDialog.textPreviewEffect": "Previzualizare efect", + "PE.Views.AnimationDialog.textTitle": "Mai multe efecte", "PE.Views.ChartSettings.textAdvanced": "Afișare setări avansate", "PE.Views.ChartSettings.textChartType": "Modificare tip diagramă", "PE.Views.ChartSettings.textEditData": "Editare date", @@ -1165,6 +1384,7 @@ "PE.Views.DocumentHolder.textCut": "Decupare", "PE.Views.DocumentHolder.textDistributeCols": "Distribuire coloane", "PE.Views.DocumentHolder.textDistributeRows": "Distribuire rânduri", + "PE.Views.DocumentHolder.textEditPoints": "Editare puncte", "PE.Views.DocumentHolder.textFlipH": "Răsturnare orizontală", "PE.Views.DocumentHolder.textFlipV": "Răsturnare verticală", "PE.Views.DocumentHolder.textFromFile": "Din Fișier", @@ -1249,6 +1469,8 @@ "PE.Views.DocumentHolder.txtLimitUnder": "Limită sub textul", "PE.Views.DocumentHolder.txtMatchBrackets": "Portivire delimitatori la înălțimea argumentului", "PE.Views.DocumentHolder.txtMatrixAlign": "Aliniere matrice", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "Mutare diapozitiv la sfârşit", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "Mutare diapozitiv la început", "PE.Views.DocumentHolder.txtNewSlide": "Diapozitiv nou", "PE.Views.DocumentHolder.txtOverbar": "Bară deasupra textului", "PE.Views.DocumentHolder.txtPasteDestFormat": "Utilizare temă destinație", @@ -1434,6 +1656,7 @@ "PE.Views.ImageSettings.textCrop": "Trunchiere", "PE.Views.ImageSettings.textCropFill": "Umplere", "PE.Views.ImageSettings.textCropFit": "Potrivire", + "PE.Views.ImageSettings.textCropToShape": "Trunchiere la formă", "PE.Views.ImageSettings.textEdit": "Editare", "PE.Views.ImageSettings.textEditObject": "Editare obiect", "PE.Views.ImageSettings.textFitSlide": "Se aliniază la diapozitiv", @@ -1448,6 +1671,7 @@ "PE.Views.ImageSettings.textHintFlipV": "Răsturnare verticală", "PE.Views.ImageSettings.textInsert": "Înlocuire imagine", "PE.Views.ImageSettings.textOriginalSize": "Dimensiunea reală", + "PE.Views.ImageSettings.textRecentlyUsed": "Utilizate recent", "PE.Views.ImageSettings.textRotate90": "Rotire 90°", "PE.Views.ImageSettings.textRotation": "Rotație", "PE.Views.ImageSettings.textSize": "Dimensiune", @@ -1569,6 +1793,7 @@ "PE.Views.ShapeSettings.textPatternFill": "Model", "PE.Views.ShapeSettings.textPosition": "Poziție", "PE.Views.ShapeSettings.textRadial": "Radială", + "PE.Views.ShapeSettings.textRecentlyUsed": "Utilizate recent", "PE.Views.ShapeSettings.textRotate90": "Rotire 90°", "PE.Views.ShapeSettings.textRotation": "Rotație", "PE.Views.ShapeSettings.textSelectImage": "Selectați imaginea", @@ -1885,6 +2110,7 @@ "PE.Views.Toolbar.textColumnsTwo": "Două coloane", "PE.Views.Toolbar.textItalic": "Cursiv", "PE.Views.Toolbar.textListSettings": "Setări lista", + "PE.Views.Toolbar.textRecentlyUsed": "Utilizate recent", "PE.Views.Toolbar.textShapeAlignBottom": "Aliniere jos", "PE.Views.Toolbar.textShapeAlignCenter": "Aliniere la centru", "PE.Views.Toolbar.textShapeAlignLeft": "Aliniere la stânga", @@ -1898,12 +2124,14 @@ "PE.Views.Toolbar.textStrikeout": "Tăiere cu o linie", "PE.Views.Toolbar.textSubscript": "Indice", "PE.Views.Toolbar.textSuperscript": "Exponent", + "PE.Views.Toolbar.textTabAnimation": "Animație", "PE.Views.Toolbar.textTabCollaboration": "Colaborare", "PE.Views.Toolbar.textTabFile": "Fişier", "PE.Views.Toolbar.textTabHome": "Acasă", "PE.Views.Toolbar.textTabInsert": "Inserare", "PE.Views.Toolbar.textTabProtect": "Protejare", "PE.Views.Toolbar.textTabTransitions": "Tranziții", + "PE.Views.Toolbar.textTabView": "Vizualizare", "PE.Views.Toolbar.textTitleError": "Eroare", "PE.Views.Toolbar.textUnderline": "Subliniat", "PE.Views.Toolbar.tipAddSlide": "Adăugare diapozitiv", @@ -1957,6 +2185,7 @@ "PE.Views.Toolbar.tipViewSettings": "Setări vizualizare", "PE.Views.Toolbar.txtDistribHor": "Distribuire pe orizontală", "PE.Views.Toolbar.txtDistribVert": "Distribuire pe verticală", + "PE.Views.Toolbar.txtDuplicateSlide": "Dublare diapozitiv", "PE.Views.Toolbar.txtGroup": "Grupare", "PE.Views.Toolbar.txtObjectsAlign": "Alinierea obiectelor selectate", "PE.Views.Toolbar.txtScheme1": "Office", @@ -2018,5 +2247,13 @@ "PE.Views.Transitions.txtApplyToAll": "Aplicarea la toate diapozitivele ", "PE.Views.Transitions.txtParameters": "Opțiuni", "PE.Views.Transitions.txtPreview": "Previzualizare", - "PE.Views.Transitions.txtSec": "s" + "PE.Views.Transitions.txtSec": "s", + "PE.Views.ViewTab.textAlwaysShowToolbar": "Afișează bară de instrumente permanent", + "PE.Views.ViewTab.textFitToSlide": "Se aliniază la diapozitiv", + "PE.Views.ViewTab.textFitToWidth": "Potrivire lățime", + "PE.Views.ViewTab.textInterfaceTheme": "Tema interfeței", + "PE.Views.ViewTab.textNotes": "Note", + "PE.Views.ViewTab.textRulers": "Rigle", + "PE.Views.ViewTab.textStatusBar": "Bară de stare", + "PE.Views.ViewTab.textZoom": "Zoom" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/ru.json b/apps/presentationeditor/main/locale/ru.json index 46407466b..15cb2420f 100644 --- a/apps/presentationeditor/main/locale/ru.json +++ b/apps/presentationeditor/main/locale/ru.json @@ -47,6 +47,193 @@ "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": "Скругленный крестик", + "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.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": "Синусоида 1", + "Common.define.effectData.textSCurve2": "Синусоида 2", + "Common.define.effectData.textShape": "Фигура", + "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": "Создать копию", "Common.Translation.warnFileLockedBtnView": "Открыть на просмотр", @@ -61,6 +248,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": "Введите текст для замены", @@ -104,6 +293,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Стили маркированных списков", "Common.Views.AutoCorrectDialog.textBy": "На", "Common.Views.AutoCorrectDialog.textDelete": "Удалить", + "Common.Views.AutoCorrectDialog.textFLCells": "Делать первые буквы ячеек таблиц прописными", "Common.Views.AutoCorrectDialog.textFLSentence": "Делать первые буквы предложений прописными", "Common.Views.AutoCorrectDialog.textHyperlink": "Адреса в Интернете и сетевые пути гиперссылками", "Common.Views.AutoCorrectDialog.textHyphens": "Дефисы (--) на тире (—)", @@ -129,12 +319,14 @@ "Common.Views.Comments.mniAuthorDesc": "По автору от Я до А", "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 +340,7 @@ "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": "Операции копирования, вырезания и вставки", @@ -312,6 +505,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 +663,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 +945,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": "Диакритические знаки", @@ -1086,6 +1282,29 @@ "PE.Controllers.Toolbar.txtSymbol_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.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": "Изменить данные", @@ -1165,6 +1384,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 +1469,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": "Использовать конечную тему", @@ -1434,6 +1656,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 +1671,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": "Размер", @@ -1569,6 +1793,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 +2110,7 @@ "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": "Выровнять по левому краю", @@ -1898,12 +2124,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": "Добавить слайд", @@ -1957,6 +2185,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 +2247,13 @@ "PE.Views.Transitions.txtApplyToAll": "Применить ко всем слайдам", "PE.Views.Transitions.txtParameters": "Параметры", "PE.Views.Transitions.txtPreview": "Просмотр", - "PE.Views.Transitions.txtSec": "сек" + "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/sv.json b/apps/presentationeditor/main/locale/sv.json index 17399fedf..872a68309 100644 --- a/apps/presentationeditor/main/locale/sv.json +++ b/apps/presentationeditor/main/locale/sv.json @@ -47,9 +47,198 @@ "Common.define.chartData.textScatterSmoothMarker": "Sprid med mjuka linjer och markeringar", "Common.define.chartData.textStock": "Lager", "Common.define.chartData.textSurface": "Yta", + "Common.define.effectData.textAcross": "Tvärs över", + "Common.define.effectData.textAppear": "Dyka upp", + "Common.define.effectData.textArcDown": "Båge neråt", + "Common.define.effectData.textArcLeft": "Båge vänster", + "Common.define.effectData.textArcRight": "Båge höger", + "Common.define.effectData.textArcUp": "Båge uppåt", + "Common.define.effectData.textBasic": "Grundläggande", + "Common.define.effectData.textBasicSwivel": "Enkel snurra", + "Common.define.effectData.textBasicZoom": "Enkel zoomning", + "Common.define.effectData.textBean": "Böna", + "Common.define.effectData.textBlinds": "Persienner", + "Common.define.effectData.textBlink": "Blinka", + "Common.define.effectData.textBoldFlash": "Fet blixt", + "Common.define.effectData.textBoldReveal": "Fet Reveal", + "Common.define.effectData.textBoomerang": "Bumerang", + "Common.define.effectData.textBounce": "Studsa", + "Common.define.effectData.textBounceLeft": "Studsa vänster", + "Common.define.effectData.textBounceRight": "Studsa höger", + "Common.define.effectData.textBox": "Ruta", + "Common.define.effectData.textBrushColor": "Penselfärg", + "Common.define.effectData.textCenterRevolve": "Centrum rotera", + "Common.define.effectData.textCheckerboard": "Schackbräde", + "Common.define.effectData.textCircle": "Cirkel", + "Common.define.effectData.textCollapse": "Dra ihop", + "Common.define.effectData.textColorPulse": "Färgpuls", + "Common.define.effectData.textComplementaryColor": "Komplementfärg", + "Common.define.effectData.textComplementaryColor2": "Komplementfärg 2", + "Common.define.effectData.textCompress": "Dra ihop", + "Common.define.effectData.textContrast": "Kontrast", + "Common.define.effectData.textContrastingColor": "Kontrastfärg", + "Common.define.effectData.textCredits": "Lista över medverkande", + "Common.define.effectData.textCrescentMoon": "Halvmåne", + "Common.define.effectData.textCurveDown": "Böj nedåt", + "Common.define.effectData.textCurvedSquare": "Böjd kvadrat", + "Common.define.effectData.textCurvedX": "böjt X", + "Common.define.effectData.textCurvyLeft": "Kurvig vänster", + "Common.define.effectData.textCurvyRight": "Kurvig höger", + "Common.define.effectData.textCurvyStar": "Kurvig stjärna", + "Common.define.effectData.textCustomPath": "Anpassad sökväg", + "Common.define.effectData.textCuverUp": "Böj uppåt", + "Common.define.effectData.textDarken": "Mörkna", + "Common.define.effectData.textDecayingWave": "Sönderfallande våg", + "Common.define.effectData.textDesaturate": "Omättad", + "Common.define.effectData.textDiagonalDownRight": "Diagonalt ner höger", + "Common.define.effectData.textDiagonalUpRight": "Diagonalt upp höger", + "Common.define.effectData.textDiamond": "Diamant", + "Common.define.effectData.textDisappear": "Försvinna", + "Common.define.effectData.textDissolveIn": "Upplösa in", + "Common.define.effectData.textDissolveOut": "Upplösa ut", + "Common.define.effectData.textDown": "Ner", + "Common.define.effectData.textDrop": "Släpp", + "Common.define.effectData.textEmphasis": "Betonings effekt", + "Common.define.effectData.textEntrance": "Entréeffekt", + "Common.define.effectData.textEqualTriangle": "Liksidig triangel", + "Common.define.effectData.textExciting": "Spännande", + "Common.define.effectData.textExit": "Utgångseffekt", + "Common.define.effectData.textExpand": "Expandera", + "Common.define.effectData.textFade": "Blekna", + "Common.define.effectData.textFigureFour": "Figur 8 fyra", + "Common.define.effectData.textFillColor": "Fyllnadsfärg", + "Common.define.effectData.textFlip": "Vänd", + "Common.define.effectData.textFloat": "Flyt", + "Common.define.effectData.textFloatDown": "Flyt nedåt", + "Common.define.effectData.textFloatIn": "Flyt in", + "Common.define.effectData.textFloatOut": "Flyt ut", + "Common.define.effectData.textFloatUp": "Flyt upp", + "Common.define.effectData.textFlyIn": "Flyg in", + "Common.define.effectData.textFlyOut": "Flyg ut", + "Common.define.effectData.textFontColor": "Teckensnittsfärg", + "Common.define.effectData.textFootball": "Fotboll", + "Common.define.effectData.textFromBottom": "Från nederkant", + "Common.define.effectData.textFromBottomLeft": "Från vänster nederkant", + "Common.define.effectData.textFromBottomRight": "Från höger nederkant", + "Common.define.effectData.textFromLeft": "Från vänster", + "Common.define.effectData.textFromRight": "Från höger", + "Common.define.effectData.textFromTop": "Från ovankant", + "Common.define.effectData.textFromTopLeft": "Från vänster ovankant", + "Common.define.effectData.textFromTopRight": "Från höger ovankant", + "Common.define.effectData.textFunnel": "Tratt", + "Common.define.effectData.textGrowShrink": "Väx/Krymp", + "Common.define.effectData.textGrowTurn": "Växa och vända", + "Common.define.effectData.textGrowWithColor": "Väx med färg", + "Common.define.effectData.textHeart": "Hjärta", + "Common.define.effectData.textHeartbeat": "Hjärtslag", + "Common.define.effectData.textHexagon": "Sexhörning", + "Common.define.effectData.textHorizontal": "Horisontal", + "Common.define.effectData.textHorizontalFigure": "Horisontal figur 8", + "Common.define.effectData.textHorizontalIn": "Horisontal in", + "Common.define.effectData.textHorizontalOut": "Horisontal ut", + "Common.define.effectData.textIn": "In", + "Common.define.effectData.textInFromScreenCenter": "In från skärmens mitt", + "Common.define.effectData.textInSlightly": "Något inåt", + "Common.define.effectData.textInvertedSquare": "Omvänd kvadrat", + "Common.define.effectData.textInvertedTriangle": "Omvänd triangel", + "Common.define.effectData.textLeft": "Vänster", + "Common.define.effectData.textLeftDown": "Vänster ner", + "Common.define.effectData.textLeftUp": "Vänster upp", + "Common.define.effectData.textLighten": "Lätta", + "Common.define.effectData.textLineColor": "Linje färg", + "Common.define.effectData.textLinesCurves": "Linjer kurva", + "Common.define.effectData.textLoopDeLoop": "Loop de Loop", + "Common.define.effectData.textModerate": "Måttlig", + "Common.define.effectData.textNeutron": "Neutron", + "Common.define.effectData.textObjectCenter": "Objektets mitt", + "Common.define.effectData.textObjectColor": "Objektets färg", + "Common.define.effectData.textOctagon": "Oktogon", + "Common.define.effectData.textOut": "Ut", + "Common.define.effectData.textOutFromScreenBottom": "Ut från skärmens nederkant", + "Common.define.effectData.textOutSlightly": "Något utåt", + "Common.define.effectData.textParallelogram": "Parallellogram", + "Common.define.effectData.textPath": "Rörelseväg", + "Common.define.effectData.textPeanut": "Jordnöt", + "Common.define.effectData.textPeekIn": "Topp inåt", + "Common.define.effectData.textPeekOut": "Topp utåt", + "Common.define.effectData.textPentagon": "Femhörning", + "Common.define.effectData.textPinwheel": "Vindsnurra", + "Common.define.effectData.textPlus": "Plus", + "Common.define.effectData.textPointStar": "Stjärnpunkt", + "Common.define.effectData.textPointStar4": "4 punktstjärna", + "Common.define.effectData.textPointStar5": "5 punktstjärna", + "Common.define.effectData.textPointStar6": "6 punktstjärna", + "Common.define.effectData.textPointStar8": "8 punktstjärna", + "Common.define.effectData.textPulse": "Puls", + "Common.define.effectData.textRandomBars": "Slumpmässiga staplar", + "Common.define.effectData.textRight": "Höger", + "Common.define.effectData.textRightDown": "Höger ner", + "Common.define.effectData.textRightTriangle": "Höger triangel", + "Common.define.effectData.textRightUp": "Höger upp", + "Common.define.effectData.textRiseUp": "Stiga upp", + "Common.define.effectData.textSCurve1": "S kurva 1", + "Common.define.effectData.textSCurve2": "S kurva 2", + "Common.define.effectData.textShape": "Form", + "Common.define.effectData.textShimmer": "Skimmer", + "Common.define.effectData.textShrinkTurn": "Krymp och sväng", + "Common.define.effectData.textSineWave": "Sinusvåg", + "Common.define.effectData.textSinkDown": "Sjunk nedåt", + "Common.define.effectData.textSlideCenter": "Glid mot mitten", + "Common.define.effectData.textSpecial": "Särskild", + "Common.define.effectData.textSpin": "Snurra", + "Common.define.effectData.textSpinner": "Spinnare", + "Common.define.effectData.textSpiralIn": "Spiral innåt", + "Common.define.effectData.textSpiralLeft": "Spiral vänster", + "Common.define.effectData.textSpiralOut": "Spiral utåt", + "Common.define.effectData.textSpiralRight": "Spiral höger", + "Common.define.effectData.textSplit": "Dela", + "Common.define.effectData.textSpoke1": "1 eker", + "Common.define.effectData.textSpoke2": "2 ekrar", + "Common.define.effectData.textSpoke3": "3 ekrar", + "Common.define.effectData.textSpoke4": "4 ekrar", + "Common.define.effectData.textSpoke8": "8 ekrar", + "Common.define.effectData.textSpring": "Fjädra", + "Common.define.effectData.textSquare": "Fyrkant", + "Common.define.effectData.textStairsDown": "Trappor nedåt", + "Common.define.effectData.textStretch": "Sträck", + "Common.define.effectData.textStrips": "Remsor", + "Common.define.effectData.textSubtle": "Subtil", + "Common.define.effectData.textSwivel": "Snurra", + "Common.define.effectData.textSwoosh": "Sus", + "Common.define.effectData.textTeardrop": "Tår", + "Common.define.effectData.textTeeter": "Gungbräda", + "Common.define.effectData.textToBottom": "Till nederkant", + "Common.define.effectData.textToBottomLeft": "Till vänster nederkant", + "Common.define.effectData.textToBottomRight": "Till höger nederkant", + "Common.define.effectData.textToLeft": "Till vänster", + "Common.define.effectData.textToRight": "Till höger", + "Common.define.effectData.textToTop": "Till ovankant", + "Common.define.effectData.textToTopLeft": "Till vänster överkant", + "Common.define.effectData.textToTopRight": "Till höger överkant", + "Common.define.effectData.textTransparency": "Genomskinlighet", + "Common.define.effectData.textTrapezoid": "Trapets", + "Common.define.effectData.textTurnDown": "Skruva ner", + "Common.define.effectData.textTurnDownRight": "dra ner åt höger", + "Common.define.effectData.textTurnUp": "Skruva upp", + "Common.define.effectData.textTurnUpRight": "Skruva upp åt höger", + "Common.define.effectData.textUnderline": "Understryka", + "Common.define.effectData.textUp": "Upp", + "Common.define.effectData.textVertical": "Vertikal", + "Common.define.effectData.textVerticalFigure": "Vertikal figur 8", + "Common.define.effectData.textVerticalIn": "Vertikal in", + "Common.define.effectData.textVerticalOut": "Vertikal ut", + "Common.define.effectData.textWave": "Våg", + "Common.define.effectData.textWedge": "Kil", + "Common.define.effectData.textWheel": "Hjul", + "Common.define.effectData.textWhip": "Piska", + "Common.define.effectData.textWipe": "Torka", + "Common.define.effectData.textZigzag": "Sicksack", + "Common.define.effectData.textZoom": "Förstora", "Common.Translation.warnFileLocked": "Dokumentet används av ett annat program. Du kan fortsätta redigera och spara den som en kopia.", "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.ComboBorderSize.txtNoBorders": "Inga ramar", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Inga ramar", "Common.UI.ComboDataView.emptyComboText": "Inga stilar", @@ -59,6 +248,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Ny", "Common.UI.ExtendedColorDialog.textRGBErr": "Det angivna värdet är inkorrekt.
Vänligen ange ett numeriskt värde mellan 0 och 255", "Common.UI.HSBColorPicker.textNoColor": "Ingen färg", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Dölj lösenord", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Visa lösenord", "Common.UI.SearchDialog.textHighlight": "Markera resultat", "Common.UI.SearchDialog.textMatchCase": "Skiftlägeskänslig", "Common.UI.SearchDialog.textReplaceDef": "Ange ersättningstext", @@ -97,11 +288,12 @@ "Common.Views.About.txtVersion": "Version", "Common.Views.AutoCorrectDialog.textAdd": "Lägg till", "Common.Views.AutoCorrectDialog.textApplyText": "Korrigera när du skriver", - "Common.Views.AutoCorrectDialog.textAutoCorrect": "Autokorrigering", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Autokorrigering av text", "Common.Views.AutoCorrectDialog.textAutoFormat": "Autoformat när du skriver", "Common.Views.AutoCorrectDialog.textBulleted": "Automatiska punktlistor", "Common.Views.AutoCorrectDialog.textBy": "Av", "Common.Views.AutoCorrectDialog.textDelete": "Radera", + "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", "Common.Views.AutoCorrectDialog.textHyphens": "Bindestreck (--) med streck (—)", @@ -123,13 +315,22 @@ "Common.Views.AutoCorrectDialog.warnReset": "All autokorrigering som du lagt till kommer att tas bort och ändringar kommer att återställas till sina ursprungliga värden. Vill du fortsätta?", "Common.Views.AutoCorrectDialog.warnRestore": "Autokorrigeringen för %1 återställs till sitt ursprungliga värde. Vill du fortsätta?", "Common.Views.Chat.textSend": "Skicka", + "Common.Views.Comments.mniAuthorAsc": "Författare A till Ö", + "Common.Views.Comments.mniAuthorDesc": "Författare Ö till A", + "Common.Views.Comments.mniDateAsc": "Äldsta", + "Common.Views.Comments.mniDateDesc": "Nyaste", + "Common.Views.Comments.mniFilterGroups": "Filtrera via grupp", + "Common.Views.Comments.mniPositionAsc": "Från ovankant", + "Common.Views.Comments.mniPositionDesc": "Från nederkant", "Common.Views.Comments.textAdd": "Lägg till", "Common.Views.Comments.textAddComment": "Lägg till kommentar", "Common.Views.Comments.textAddCommentToDoc": "Lägg till kommentar till dokumentet", "Common.Views.Comments.textAddReply": "Lägg till svar", + "Common.Views.Comments.textAll": "Alla", "Common.Views.Comments.textAnonym": "Gäst", "Common.Views.Comments.textCancel": "Avbryt", "Common.Views.Comments.textClose": "Stäng", + "Common.Views.Comments.textClosePanel": "Stäng kommentarer", "Common.Views.Comments.textComments": "Kommentarer", "Common.Views.Comments.textEdit": "OK", "Common.Views.Comments.textEnterCommentHint": "Skriv din kommentar här", @@ -138,6 +339,8 @@ "Common.Views.Comments.textReply": "Svara", "Common.Views.Comments.textResolve": "Lös", "Common.Views.Comments.textResolved": "Löst", + "Common.Views.Comments.textSort": "Sortera kommentarer", + "Common.Views.Comments.textViewResolved": "Du har inte behörighet att öppna kommentaren igen", "Common.Views.CopyWarningDialog.textDontShow": "Visa inte detta meddelande igen", "Common.Views.CopyWarningDialog.textMsg": "Kopiera, klipp ut och klistra in -åtgärder med redigeringsknapparna i verktygsfältet och snabbmenyn kommer endast att utföras inom denna flik.
För att kopiera eller klistra in från applikationer utanför fliken, använd följande kortkommandon:", "Common.Views.CopyWarningDialog.textTitle": "Kopiera, klipp ut och klistra in åtgärder", @@ -302,6 +505,9 @@ "Common.Views.ReviewPopover.textOpenAgain": "Öppna igen", "Common.Views.ReviewPopover.textReply": "Svara", "Common.Views.ReviewPopover.textResolve": "Lös", + "Common.Views.ReviewPopover.textViewResolved": "Du har inte behörighet att öppna kommentaren igen", + "Common.Views.ReviewPopover.txtDeleteTip": "Radera", + "Common.Views.ReviewPopover.txtEditTip": "Redigera", "Common.Views.SaveAsDlg.textLoading": "Laddar", "Common.Views.SaveAsDlg.textTitle": "Mapp att spara i", "Common.Views.SelectFileDlg.textLoading": "Laddar", @@ -394,6 +600,7 @@ "PE.Controllers.Main.errorForceSave": "Ett fel uppstod när filen sparades. Använd alternativet \"Spara som\" för att spara filen till din lokala hårddisk eller försök igen senare.", "PE.Controllers.Main.errorKeyEncrypt": "Okänd nyckelbeskrivare", "PE.Controllers.Main.errorKeyExpire": "Nyckelns beskrivning har utgått", + "PE.Controllers.Main.errorLoadingFont": "Typsnittet är inte tillgängligt.
Vänligen kontakta dokumentserverns administratör.", "PE.Controllers.Main.errorProcessSaveResult": "Fungerade ej att spara.", "PE.Controllers.Main.errorServerVersion": "Textredigerarens version har uppdaterats. Sidan kommer att laddas om för att verkställa ändringarna.", "PE.Controllers.Main.errorSessionAbsolute": "Dokumentet redigeringssession har löpt ut. Vänligen ladda om sidan.", @@ -448,12 +655,15 @@ "PE.Controllers.Main.textContactUs": "Kontakta säljare", "PE.Controllers.Main.textConvertEquation": "Denna ekvation skapades med en gammal version av ekvationsredigeraren som inte längre stöds. Om du vill redigera den konverterar du ekvationen till Office Math ML-format.
Konvertera nu?", "PE.Controllers.Main.textCustomLoader": "Observera att enligt licensvillkoren har du inte rätt att byta laddaren.
Kontakta vår försäljningsavdelning för att få en offert.", + "PE.Controllers.Main.textDisconnect": "Anslutningen förlorades", "PE.Controllers.Main.textGuest": "Gäst", "PE.Controllers.Main.textHasMacros": "Filen innehåller automatiska makron.
Vill du köra makron?", + "PE.Controllers.Main.textLearnMore": "Lär dig mer", "PE.Controllers.Main.textLoadingDocument": "Laddar presentationen", "PE.Controllers.Main.textLongName": "Ange namn (max 128 tecken).", - "PE.Controllers.Main.textNoLicenseTitle": "%1 anslutningsbegränsning", + "PE.Controllers.Main.textNoLicenseTitle": "Licensens gräns är nådd", "PE.Controllers.Main.textPaidFeature": "Betald funktion", + "PE.Controllers.Main.textReconnect": "Anslutningen återställdes", "PE.Controllers.Main.textRemember": "Kom ihåg mitt val för alla filer", "PE.Controllers.Main.textRenameError": "Användarnamn får inte var tomt.", "PE.Controllers.Main.textRenameLabel": "Ange namn för samarbete", @@ -721,20 +931,21 @@ "PE.Controllers.Main.unsupportedBrowserErrorText": "Din webbläsare stöds ej.", "PE.Controllers.Main.uploadImageExtMessage": "Okänt bildformat.", "PE.Controllers.Main.uploadImageFileCountMessage": "Inga bilder uppladdade.", - "PE.Controllers.Main.uploadImageSizeMessage": "Bilden är för stor", + "PE.Controllers.Main.uploadImageSizeMessage": "Bilden är för stor. Den maximala storleken är 25 MB.", "PE.Controllers.Main.uploadImageTextText": "Laddar upp bild...", "PE.Controllers.Main.uploadImageTitleText": "Laddar upp bild", "PE.Controllers.Main.waitText": "Vänta...", "PE.Controllers.Main.warnBrowserIE9": "Fungerar dåligt med Internet Explorer 9. Använd version 10 eller högre.", "PE.Controllers.Main.warnBrowserZoom": "Din webbläsares nuvarande zoominställningar stöds inte fullt ut. Återställ till standard zoom genom att trycka på Ctrl + 0.", - "PE.Controllers.Main.warnLicenseExceeded": "Antalet samtidiga anslutningar till dokumentservern har överskridits och dokumentet öppnas endast för visning.
Vänligen kontakta din systemadministratör för mer information.", + "PE.Controllers.Main.warnLicenseExceeded": "Gränsen är nådd för antalet %1 samtidiga anslutna redigerare. Dokumentet öppnas som skrivskyddat.
Kontakta administratören för mer information.", "PE.Controllers.Main.warnLicenseExp": "Din licens har gått ut.
Förnya din licens och uppdatera sidan.", "PE.Controllers.Main.warnLicenseLimitedNoAccess": "Licensen ogiltig.
Ingen access till redigeringsfunktioner.
Kontakta din administratör.", "PE.Controllers.Main.warnLicenseLimitedRenewed": "Licensen måste förnyas.
Endast begränsad funktionalitet.
Kontakta din administratör för full funktionalitet.", - "PE.Controllers.Main.warnLicenseUsersExceeded": "Antalet samtidiga användare har överskridits och dokumentet öppnas endast för visning.
Vänligen kontakta din systemadministratör för mer information.", - "PE.Controllers.Main.warnNoLicense": "Den här versionen av %1 har vissa begränsningar för samtidiga anslutningar till dokumentservern.
Om du behöver mer, överväg att köpa en kommersiell licens.", - "PE.Controllers.Main.warnNoLicenseUsers": "Den här versionen av %1 har vissa begränsningar för samtidiga användare.
Om du behöver mer, överväg att köpa en kommersiell licens.", + "PE.Controllers.Main.warnLicenseUsersExceeded": "Gränsen är nådd för antalet %1 redigerare.
Kontakta administratören för mer information.", + "PE.Controllers.Main.warnNoLicense": "Gränsen är nådd för antalet %1 samtidiga anslutna redigerare. Dokumentet öppnas som skrivskyddat.
Kontakta %1 försäljningsteamet för personliga uppgraderings villkor.", + "PE.Controllers.Main.warnNoLicenseUsers": "Gränsen är nådd för antalet %1 redigerare.
Kontakta %1 försäljningsteamet för personliga uppgraderings villkor.", "PE.Controllers.Main.warnProcessRightsChange": "Du har nekats rätten att redigera filen.", + "PE.Controllers.Statusbar.textDisconnect": "
Anslutningen förlorades

Försöker återansluta. Vänligen kontroller anslutningens inställningar.", "PE.Controllers.Statusbar.zoomText": "Zooma {0}%", "PE.Controllers.Toolbar.confirmAddFontName": "Teckensnittet du kommer att spara finns inte på den aktuella enheten.
Textstilen kommer att visas med ett av systemets teckensnitt, sparade teckensnitt kommer att användas när det är tillgängligt.
Vill du fortsätta ?", "PE.Controllers.Toolbar.textAccent": "Accenter", @@ -1071,6 +1282,29 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Anpassa till bild", "PE.Controllers.Viewport.textFitWidth": "Anpassa till bredd", + "PE.Views.Animation.strDelay": "Fördröjning", + "PE.Views.Animation.strDuration": "Varaktighet", + "PE.Views.Animation.strRepeat": "Upprepa", + "PE.Views.Animation.strRewind": "Spola tillbaka", + "PE.Views.Animation.strStart": "Börja", + "PE.Views.Animation.strTrigger": "Utlösare", + "PE.Views.Animation.textMoreEffects": "Visa fler effekter", + "PE.Views.Animation.textMoveEarlier": "Flytta tidigare", + "PE.Views.Animation.textMoveLater": "Flytta senare", + "PE.Views.Animation.textMultiple": "Flera", + "PE.Views.Animation.textNone": "Inga", + "PE.Views.Animation.textOnClickOf": "Vid klick på", + "PE.Views.Animation.textOnClickSequence": "Vid klick sekvens", + "PE.Views.Animation.textStartAfterPrevious": "Efter föregående", + "PE.Views.Animation.textStartOnClick": "Vid klick", + "PE.Views.Animation.textStartWithPrevious": "Med föregående", + "PE.Views.Animation.txtAddEffect": "Lägg till animation", + "PE.Views.Animation.txtAnimationPane": "Animationsrutan", + "PE.Views.Animation.txtParameters": "Parametrar", + "PE.Views.Animation.txtPreview": "Förhandsgranska", + "PE.Views.Animation.txtSec": "s", + "PE.Views.AnimationDialog.textPreviewEffect": "Förhandsgranska effekt", + "PE.Views.AnimationDialog.textTitle": "Fler effekter", "PE.Views.ChartSettings.textAdvanced": "Visa avancerade inställningar", "PE.Views.ChartSettings.textChartType": "Ändra diagramtyp", "PE.Views.ChartSettings.textEditData": "Redigera data", @@ -1081,7 +1315,7 @@ "PE.Views.ChartSettings.textWidth": "Bredd", "PE.Views.ChartSettingsAdvanced.textAlt": "Alternativ text", "PE.Views.ChartSettingsAdvanced.textAltDescription": "Beskrivning", - "PE.Views.ChartSettingsAdvanced.textAltTip": "Den alternativa textbaserade representation av den visuella informationsobjektet, som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar att hjälpa dem att bättre förstå vilken information som finns i bilden, figur eller, diagram eller en tabell.", + "PE.Views.ChartSettingsAdvanced.textAltTip": "Den alternativa textbaserad förekomsten av visuell objektinformation som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar för att hjälpa dem att bättre förstå vilken information som finns i bilden, figuren, diagrammet eller tabellen.", "PE.Views.ChartSettingsAdvanced.textAltTitle": "Titel", "PE.Views.ChartSettingsAdvanced.textTitle": "Diagram - avancerade inställningar", "PE.Views.DateTimeDialog.confirmDefault": "Ange standardformat för {0}: \"{1}\"", @@ -1094,7 +1328,7 @@ "PE.Views.DocumentHolder.addCommentText": "Lägg till kommentar", "PE.Views.DocumentHolder.addToLayoutText": "Lägg till i layout", "PE.Views.DocumentHolder.advancedImageText": "Bild avancerade inställningar", - "PE.Views.DocumentHolder.advancedParagraphText": "Text avancerade inställningar", + "PE.Views.DocumentHolder.advancedParagraphText": "Avsnitt avancerade inställningar", "PE.Views.DocumentHolder.advancedShapeText": "Form - Avancerade inställningar", "PE.Views.DocumentHolder.advancedTableText": "Tabell avancerade inställningar", "PE.Views.DocumentHolder.alignmentText": "Justering", @@ -1150,6 +1384,7 @@ "PE.Views.DocumentHolder.textCut": "Klipp ut", "PE.Views.DocumentHolder.textDistributeCols": "Distribuera kolumner", "PE.Views.DocumentHolder.textDistributeRows": "Distribuera rader", + "PE.Views.DocumentHolder.textEditPoints": "Redigera punkter", "PE.Views.DocumentHolder.textFlipH": "Vänd horisontellt", "PE.Views.DocumentHolder.textFlipV": "Vänd vertikalt", "PE.Views.DocumentHolder.textFromFile": "Från fil", @@ -1234,6 +1469,8 @@ "PE.Views.DocumentHolder.txtLimitUnder": "Begränsa under text", "PE.Views.DocumentHolder.txtMatchBrackets": "Matcha parenteser till argumentets höjd", "PE.Views.DocumentHolder.txtMatrixAlign": "Matrisjustering", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "Flytta bilden till slutet", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "Flytta bilden till början", "PE.Views.DocumentHolder.txtNewSlide": "Ny bild", "PE.Views.DocumentHolder.txtOverbar": "Stapel över text", "PE.Views.DocumentHolder.txtPasteDestFormat": "Använd destinationstema", @@ -1265,6 +1502,7 @@ "PE.Views.DocumentHolder.txtTop": "Överst", "PE.Views.DocumentHolder.txtUnderbar": "Stapel under text", "PE.Views.DocumentHolder.txtUngroup": "Dela upp", + "PE.Views.DocumentHolder.txtWarnUrl": "Att klicka på denna länk kan skada din utrustning och dess innehåll.
Är du säker på att du vill fortsätta?", "PE.Views.DocumentHolder.vertAlignText": "Vertikal anpassning", "PE.Views.DocumentPreview.goToSlideText": "Gå till bild", "PE.Views.DocumentPreview.slideIndexText": "Bild {0} of {1}", @@ -1284,6 +1522,8 @@ "PE.Views.FileMenu.btnCloseMenuCaption": "Stäng meny", "PE.Views.FileMenu.btnCreateNewCaption": "Skapa ny", "PE.Views.FileMenu.btnDownloadCaption": "Ladda ner som...", + "PE.Views.FileMenu.btnExitCaption": "Avsluta", + "PE.Views.FileMenu.btnFileOpenCaption": "Öppna...", "PE.Views.FileMenu.btnHelpCaption": "Hjälp...", "PE.Views.FileMenu.btnHistoryCaption": "Versionshistorik", "PE.Views.FileMenu.btnInfoCaption": "Presentation info...", @@ -1298,6 +1538,7 @@ "PE.Views.FileMenu.btnSaveCopyAsCaption": "Spara kopia som...", "PE.Views.FileMenu.btnSettingsCaption": "Avancerade inställningar...", "PE.Views.FileMenu.btnToEditCaption": "Redigera presentation", + "PE.Views.FileMenuPanels.CreateNew.txtBlank": "Tom presentation", "PE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Skapa ny", "PE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Tillämpa", "PE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Lägg till författare", @@ -1336,7 +1577,7 @@ "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": "Spara alltid till server (annars spara till servern när dokumentet stängs)", + "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", @@ -1355,7 +1596,7 @@ "PE.Views.FileMenuPanels.Settings.textAutoRecover": "Återskapa automatiskt", "PE.Views.FileMenuPanels.Settings.textAutoSave": "Autospara", "PE.Views.FileMenuPanels.Settings.textDisabled": "Inaktiverad", - "PE.Views.FileMenuPanels.Settings.textForceSave": "Spara till server", + "PE.Views.FileMenuPanels.Settings.textForceSave": "Sparar mellanliggande versioner", "PE.Views.FileMenuPanels.Settings.textMinute": "Varje minut", "PE.Views.FileMenuPanels.Settings.txtAll": "Visa alla", "PE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Inställningar autokorrigering", @@ -1415,6 +1656,7 @@ "PE.Views.ImageSettings.textCrop": "Beskär", "PE.Views.ImageSettings.textCropFill": "Fyll", "PE.Views.ImageSettings.textCropFit": "Passa", + "PE.Views.ImageSettings.textCropToShape": "Beskära till form", "PE.Views.ImageSettings.textEdit": "Redigera", "PE.Views.ImageSettings.textEditObject": "Redigera objekt", "PE.Views.ImageSettings.textFitSlide": "Anpassa till bild", @@ -1429,13 +1671,14 @@ "PE.Views.ImageSettings.textHintFlipV": "Vänd vertikalt", "PE.Views.ImageSettings.textInsert": "Ersätt bild", "PE.Views.ImageSettings.textOriginalSize": "Faktisk storlek", + "PE.Views.ImageSettings.textRecentlyUsed": "Nyligen använda", "PE.Views.ImageSettings.textRotate90": "Rotera 90°", "PE.Views.ImageSettings.textRotation": "Rotation", "PE.Views.ImageSettings.textSize": "Storlek", "PE.Views.ImageSettings.textWidth": "Bredd", "PE.Views.ImageSettingsAdvanced.textAlt": "Alternativ text", "PE.Views.ImageSettingsAdvanced.textAltDescription": "Beskrivning", - "PE.Views.ImageSettingsAdvanced.textAltTip": "Den alternativa textbaserade representation av den visuella informationsobjektet, som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar att hjälpa dem att bättre förstå vilken information som finns i bilden, figur eller, diagram eller en tabell.", + "PE.Views.ImageSettingsAdvanced.textAltTip": "Den alternativa textbaserad förekomsten av visuell objektinformation som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar för att hjälpa dem att bättre förstå vilken information som finns i bilden, figuren, diagrammet eller tabellen.", "PE.Views.ImageSettingsAdvanced.textAltTitle": "Titel", "PE.Views.ImageSettingsAdvanced.textAngle": "Vinkel", "PE.Views.ImageSettingsAdvanced.textFlipped": "Vänd", @@ -1470,7 +1713,7 @@ "PE.Views.ParagraphSettings.textAt": "på", "PE.Views.ParagraphSettings.textAtLeast": "minst", "PE.Views.ParagraphSettings.textAuto": "flera", - "PE.Views.ParagraphSettings.textExact": "exakt", + "PE.Views.ParagraphSettings.textExact": "Exakt", "PE.Views.ParagraphSettings.txtAutoText": "auto", "PE.Views.ParagraphSettingsAdvanced.noTabs": "De angivna flikarna kommer att visas i det här fältet", "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Alla versaler", @@ -1511,7 +1754,7 @@ "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "auto", "PE.Views.RightMenu.txtChartSettings": "Diagraminställningar", "PE.Views.RightMenu.txtImageSettings": "Bildinställningar", - "PE.Views.RightMenu.txtParagraphSettings": "Text inställningar", + "PE.Views.RightMenu.txtParagraphSettings": "Avsnitt inställningar", "PE.Views.RightMenu.txtShapeSettings": "Form inställningar", "PE.Views.RightMenu.txtSignatureSettings": "Signaturinställningar", "PE.Views.RightMenu.txtSlideSettings": "Bild inställningar", @@ -1525,7 +1768,7 @@ "PE.Views.ShapeSettings.strPattern": "Mönster", "PE.Views.ShapeSettings.strShadow": "Visa skugga", "PE.Views.ShapeSettings.strSize": "Storlek", - "PE.Views.ShapeSettings.strStroke": "Genomslag", + "PE.Views.ShapeSettings.strStroke": "Linje", "PE.Views.ShapeSettings.strTransparency": "Opacitet", "PE.Views.ShapeSettings.strType": "Typ", "PE.Views.ShapeSettings.textAdvanced": "Visa avancerade inställningar", @@ -1538,7 +1781,7 @@ "PE.Views.ShapeSettings.textFromFile": "Från fil", "PE.Views.ShapeSettings.textFromStorage": "Från lagring", "PE.Views.ShapeSettings.textFromUrl": "Från URL", - "PE.Views.ShapeSettings.textGradient": "Fyllning", + "PE.Views.ShapeSettings.textGradient": "Triangulära punkter", "PE.Views.ShapeSettings.textGradientFill": "Fyllning", "PE.Views.ShapeSettings.textHint270": "Rotera 90° moturs", "PE.Views.ShapeSettings.textHint90": "Rotera 90° medsols", @@ -1550,6 +1793,7 @@ "PE.Views.ShapeSettings.textPatternFill": "Mönster", "PE.Views.ShapeSettings.textPosition": "Position", "PE.Views.ShapeSettings.textRadial": "Radiell", + "PE.Views.ShapeSettings.textRecentlyUsed": "Nyligen använda", "PE.Views.ShapeSettings.textRotate90": "Rotera 90°", "PE.Views.ShapeSettings.textRotation": "Rotation", "PE.Views.ShapeSettings.textSelectImage": "Välj bild", @@ -1576,7 +1820,7 @@ "PE.Views.ShapeSettingsAdvanced.strMargins": "Text padding", "PE.Views.ShapeSettingsAdvanced.textAlt": "Alternativ text", "PE.Views.ShapeSettingsAdvanced.textAltDescription": "Beskrivning", - "PE.Views.ShapeSettingsAdvanced.textAltTip": "Den alternativa textbaserade representation av den visuella informationsobjektet, som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar att hjälpa dem att bättre förstå vilken information som finns i bilden, figur eller, diagram eller en tabell.", + "PE.Views.ShapeSettingsAdvanced.textAltTip": "Den alternativa textbaserad förekomsten av visuell objektinformation som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar för att hjälpa dem att bättre förstå vilken information som finns i bilden, figuren, diagrammet eller tabellen.", "PE.Views.ShapeSettingsAdvanced.textAltTitle": "Titel", "PE.Views.ShapeSettingsAdvanced.textAngle": "Vinkel", "PE.Views.ShapeSettingsAdvanced.textArrows": "Pilar", @@ -1642,7 +1886,7 @@ "PE.Views.SlideSettings.textFromFile": "Från fil", "PE.Views.SlideSettings.textFromStorage": "Från lagring", "PE.Views.SlideSettings.textFromUrl": "Från URL", - "PE.Views.SlideSettings.textGradient": "Fyllning", + "PE.Views.SlideSettings.textGradient": "Triangulära punkter", "PE.Views.SlideSettings.textGradientFill": "Fyllning", "PE.Views.SlideSettings.textImageTexture": "Bild eller mönster", "PE.Views.SlideSettings.textLinear": "Linjär", @@ -1760,7 +2004,7 @@ "PE.Views.TableSettings.txtTable_ThemedStyle": "Temastil", "PE.Views.TableSettingsAdvanced.textAlt": "Alternativ text", "PE.Views.TableSettingsAdvanced.textAltDescription": "Beskrivning", - "PE.Views.TableSettingsAdvanced.textAltTip": "Den alternativa textbaserade representation av den visuella informationsobjektet, som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar att hjälpa dem att bättre förstå vilken information som finns i bilden, figur eller, diagram eller en tabell.", + "PE.Views.TableSettingsAdvanced.textAltTip": "Den alternativa textbaserad förekomsten av visuell objektinformation som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar för att hjälpa dem att bättre förstå vilken information som finns i bilden, figuren, diagrammet eller tabellen.", "PE.Views.TableSettingsAdvanced.textAltTitle": "Titel", "PE.Views.TableSettingsAdvanced.textBottom": "Nederst", "PE.Views.TableSettingsAdvanced.textCheckMargins": "Använd standardmarginaler", @@ -1777,7 +2021,7 @@ "PE.Views.TextArtSettings.strForeground": "Förgrundsfärg", "PE.Views.TextArtSettings.strPattern": "Mönster", "PE.Views.TextArtSettings.strSize": "Storlek", - "PE.Views.TextArtSettings.strStroke": "Genomslag", + "PE.Views.TextArtSettings.strStroke": "Linje", "PE.Views.TextArtSettings.strTransparency": "Opacitet", "PE.Views.TextArtSettings.strType": "Typ", "PE.Views.TextArtSettings.textAngle": "Vinkel", @@ -1787,7 +2031,7 @@ "PE.Views.TextArtSettings.textEmptyPattern": "Inget mönster", "PE.Views.TextArtSettings.textFromFile": "Från fil", "PE.Views.TextArtSettings.textFromUrl": "Från URL", - "PE.Views.TextArtSettings.textGradient": "Fyllning", + "PE.Views.TextArtSettings.textGradient": "Triangulära punkter", "PE.Views.TextArtSettings.textGradientFill": "Fyllning", "PE.Views.TextArtSettings.textImageTexture": "Bild eller mönster", "PE.Views.TextArtSettings.textLinear": "Linjär", @@ -1866,6 +2110,7 @@ "PE.Views.Toolbar.textColumnsTwo": "Två kolumner", "PE.Views.Toolbar.textItalic": "Kursiv", "PE.Views.Toolbar.textListSettings": "Listinställningar", + "PE.Views.Toolbar.textRecentlyUsed": "Nyligen använda", "PE.Views.Toolbar.textShapeAlignBottom": "Justera nederst", "PE.Views.Toolbar.textShapeAlignCenter": "Centrera", "PE.Views.Toolbar.textShapeAlignLeft": "Vänsterjustera", @@ -1879,11 +2124,14 @@ "PE.Views.Toolbar.textStrikeout": "Genomstruken", "PE.Views.Toolbar.textSubscript": "Nedsänkt", "PE.Views.Toolbar.textSuperscript": "Upphöjd", + "PE.Views.Toolbar.textTabAnimation": "Animation", "PE.Views.Toolbar.textTabCollaboration": "Samarbeta", "PE.Views.Toolbar.textTabFile": "Arkiv", "PE.Views.Toolbar.textTabHome": "Hem", "PE.Views.Toolbar.textTabInsert": "Infoga", "PE.Views.Toolbar.textTabProtect": "Skydd", + "PE.Views.Toolbar.textTabTransitions": "Övergångar", + "PE.Views.Toolbar.textTabView": "Visa", "PE.Views.Toolbar.textTitleError": "Fel", "PE.Views.Toolbar.textUnderline": "Understrykning", "PE.Views.Toolbar.tipAddSlide": "Lägg till ny bild", @@ -1937,6 +2185,7 @@ "PE.Views.Toolbar.tipViewSettings": "Visa inställningar", "PE.Views.Toolbar.txtDistribHor": "Distribuera horisontellt", "PE.Views.Toolbar.txtDistribVert": "Distribuera vertikalt", + "PE.Views.Toolbar.txtDuplicateSlide": "Duplicera bild", "PE.Views.Toolbar.txtGroup": "Grupp", "PE.Views.Toolbar.txtObjectsAlign": "Justera valda objekt", "PE.Views.Toolbar.txtScheme1": "Kontor", @@ -1967,26 +2216,44 @@ "PE.Views.Transitions.strDuration": "Varaktighet", "PE.Views.Transitions.strStartOnClick": "Börja vid klick", "PE.Views.Transitions.textBlack": "Genom svart", + "PE.Views.Transitions.textBottom": "Nederst", + "PE.Views.Transitions.textBottomLeft": "Nederst-vänster", + "PE.Views.Transitions.textBottomRight": "Nederst-höger", "PE.Views.Transitions.textClock": "Klocka", "PE.Views.Transitions.textClockwise": "Medurs", "PE.Views.Transitions.textCounterclockwise": "Moturs", "PE.Views.Transitions.textCover": "Omslag", + "PE.Views.Transitions.textFade": "Blekna", "PE.Views.Transitions.textHorizontalIn": "Horisontell in", "PE.Views.Transitions.textHorizontalOut": "Horisontell ut", "PE.Views.Transitions.textLeft": "Vänster", + "PE.Views.Transitions.textNone": "Inga", "PE.Views.Transitions.textPush": "Tryck", "PE.Views.Transitions.textRight": "Höger", + "PE.Views.Transitions.textSmoothly": "Mjukt", "PE.Views.Transitions.textSplit": "Dela", "PE.Views.Transitions.textTop": "Överst", + "PE.Views.Transitions.textTopLeft": "Överst till vänster", + "PE.Views.Transitions.textTopRight": "Överst till höger", "PE.Views.Transitions.textUnCover": "Avtäcka", "PE.Views.Transitions.textVerticalIn": "Vertikal in", "PE.Views.Transitions.textVerticalOut": "Vertikal ut", "PE.Views.Transitions.textWedge": "Kil", "PE.Views.Transitions.textWipe": "Rensa", + "PE.Views.Transitions.textZoom": "Förstora", "PE.Views.Transitions.textZoomIn": "Zooma in", "PE.Views.Transitions.textZoomOut": "Zooma ut", "PE.Views.Transitions.textZoomRotate": "Zooma och rotera", "PE.Views.Transitions.txtApplyToAll": "Applicera på alla bilder", "PE.Views.Transitions.txtParameters": "Parametrar", - "PE.Views.Transitions.txtSec": "s" + "PE.Views.Transitions.txtPreview": "Förhandsgranska", + "PE.Views.Transitions.txtSec": "s", + "PE.Views.ViewTab.textAlwaysShowToolbar": "Visa alltid verktygsfältet", + "PE.Views.ViewTab.textFitToSlide": "Passa till bild", + "PE.Views.ViewTab.textFitToWidth": "Passa till bredd", + "PE.Views.ViewTab.textInterfaceTheme": "Gränssnittstema", + "PE.Views.ViewTab.textNotes": "Anteckningar", + "PE.Views.ViewTab.textRulers": "Linjaler", + "PE.Views.ViewTab.textStatusBar": "Statusmätare", + "PE.Views.ViewTab.textZoom": "Förstora" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/tr.json b/apps/presentationeditor/main/locale/tr.json index 86396b6b9..0697945bb 100644 --- a/apps/presentationeditor/main/locale/tr.json +++ b/apps/presentationeditor/main/locale/tr.json @@ -60,15 +60,95 @@ "Common.define.effectData.textBlinds": "Güneşlik", "Common.define.effectData.textBlink": "Parlama", "Common.define.effectData.textBoldFlash": "Kalın Flaş", + "Common.define.effectData.textBoldReveal": "Kalın Gösterim", + "Common.define.effectData.textBoomerang": "Bumerang", + "Common.define.effectData.textBounce": "Zıplama", + "Common.define.effectData.textBounceLeft": "Sola Zıplama", + "Common.define.effectData.textBounceRight": "Sağa Zıplama", + "Common.define.effectData.textBox": "Kutucuk", + "Common.define.effectData.textBrushColor": "Fırça Rengi", + "Common.define.effectData.textCenterRevolve": "Merkezde Dönme", + "Common.define.effectData.textCheckerboard": "Dama tahtası", + "Common.define.effectData.textCircle": "Daire", + "Common.define.effectData.textCollapse": "Daralt", + "Common.define.effectData.textColorPulse": "Renk Darbesi", + "Common.define.effectData.textComplementaryColor": "Tamamlayıcı Renk", + "Common.define.effectData.textComplementaryColor2": "Tamamlayıcı Renk 2", + "Common.define.effectData.textCompress": "Sıkıştırılmış", + "Common.define.effectData.textContrast": "Kontrast", + "Common.define.effectData.textContrastingColor": "Kontrast Renk", + "Common.define.effectData.textCredits": "Krediler", + "Common.define.effectData.textCrescentMoon": "Hilal", + "Common.define.effectData.textCurveDown": "Aşağı Eğri", + "Common.define.effectData.textCurvedSquare": "Kavisli Kare", + "Common.define.effectData.textCurvedX": "Kavisli X", + "Common.define.effectData.textCurvyLeft": "Kıvrımlı Sol", + "Common.define.effectData.textCurvyRight": "Kıvrımlı Sağ", + "Common.define.effectData.textCurvyStar": "Kıvrımlı Yıldız", + "Common.define.effectData.textCustomPath": "Özel Yol", + "Common.define.effectData.textCuverUp": "Yukarı Eğri", + "Common.define.effectData.textDarken": "Karart", + "Common.define.effectData.textDecayingWave": "Azalan Dalga", + "Common.define.effectData.textDesaturate": "Doymamışlık", + "Common.define.effectData.textDiagonalDownRight": "Çapraz Aşağı Sağ", + "Common.define.effectData.textDiagonalUpRight": "Çapraz Yukarı Sağ", + "Common.define.effectData.textDiamond": "Elmas", + "Common.define.effectData.textDisappear": "Kaybolarak", + "Common.define.effectData.textDissolveIn": "Çözülerek", + "Common.define.effectData.textDissolveOut": "Dışarı Çözülerek", + "Common.define.effectData.textDown": "Aşağı", + "Common.define.effectData.textDrop": "Düşerek", + "Common.define.effectData.textEmphasis": "Vurgu Etkisi", + "Common.define.effectData.textEntrance": "Giriş Etkisi", + "Common.define.effectData.textEqualTriangle": "Eşkenar Üçgen", + "Common.define.effectData.textExciting": "Heyecanlandırıcı", + "Common.define.effectData.textExit": "Çıkış Etkisi", + "Common.define.effectData.textExpand": "Genişlet", + "Common.define.effectData.textFade": "Gölge", + "Common.define.effectData.textFigureFour": "Şekil 8 Dört", + "Common.define.effectData.textFillColor": "Dolgu Rengi", + "Common.define.effectData.textFlip": "çevir", + "Common.define.effectData.textFloat": "Yüzdürmek", + "Common.define.effectData.textFloatDown": "Aşağı Yüzer", + "Common.define.effectData.textFloatIn": "Yüzer", + "Common.define.effectData.textFloatOut": "Yüzmek", + "Common.define.effectData.textFloatUp": "Yüzdür", + "Common.define.effectData.textFlyIn": "Uçarak gelmek", + "Common.define.effectData.textFlyOut": "dışarı uç", + "Common.define.effectData.textFontColor": "Yazı rengi", + "Common.define.effectData.textFootball": "Futbol", + "Common.define.effectData.textFromBottom": "Alttan", + "Common.define.effectData.textFromBottomLeft": "Sol Alttan", + "Common.define.effectData.textFromBottomRight": "Sağ alttan", + "Common.define.effectData.textFromLeft": "Soldan", + "Common.define.effectData.textFromRight": "Sağdan", + "Common.define.effectData.textFromTop": "Üstten", + "Common.define.effectData.textFromTopLeft": "Sol Üstten", + "Common.define.effectData.textFromTopRight": "Sağ üstten", + "Common.define.effectData.textFunnel": "Huni", + "Common.define.effectData.textGrowShrink": "Büyüt/Küçült", + "Common.define.effectData.textGrowTurn": "Büyüt ve Dön", + "Common.define.effectData.textGrowWithColor": "Renkle Büyümek", + "Common.define.effectData.textHeart": "Kalp", "Common.define.effectData.textLeftDown": "Sol Alt", "Common.define.effectData.textLeftUp": "Sol Üst", + "Common.define.effectData.textPointStar4": "4 Köşeli Yıldız", + "Common.define.effectData.textPointStar5": "5 Köşeli Yıldız", + "Common.define.effectData.textPointStar6": "6 Köşeli Yıldız", + "Common.define.effectData.textPointStar8": "8 Köşeli Yıldız", + "Common.define.effectData.textRight": "Sağ", "Common.define.effectData.textRightDown": "Sağ Alt", + "Common.define.effectData.textRightTriangle": "Sağ Üçgen", "Common.define.effectData.textRightUp": "Sağ Üst", "Common.define.effectData.textSpoke1": "1 Konuştu", "Common.define.effectData.textSpoke2": "2 Konuştu", "Common.define.effectData.textSpoke3": "3 Konuştu", "Common.define.effectData.textSpoke4": "4 Konuştu", "Common.define.effectData.textSpoke8": "8 Konuştu", + "Common.define.effectData.textUnderline": "Altı çizili", + "Common.define.effectData.textUp": "Yukarı", + "Common.define.effectData.textVertical": "Dikey", + "Common.define.effectData.textZigzag": "Zikzak", "Common.define.effectData.textZoom": "Yakınlaştırma", "Common.Translation.warnFileLocked": "Dosya başka bir uygulamada düzenleniyor. Düzenlemeye devam edebilir ve kopya olarak kaydedebilirsiniz.", "Common.Translation.warnFileLockedBtnEdit": "Kopya oluştur", @@ -100,9 +180,9 @@ "Common.UI.SynchronizeTip.textSynchronize": "Döküman başka bir kullanıcı tarafından değiştirildi.
Lütfen değişikleri kaydetmek için tıklayın ve güncellemeleri yenileyin.", "Common.UI.ThemeColorPalette.textStandartColors": "Standart Renkler", "Common.UI.ThemeColorPalette.textThemeColors": "Tema Renkleri", - "Common.UI.Themes.txtThemeClassicLight": "Açık mod", + "Common.UI.Themes.txtThemeClassicLight": "Klasik Aydınlık", "Common.UI.Themes.txtThemeDark": "Karanlık", - "Common.UI.Themes.txtThemeLight": "Açık", + "Common.UI.Themes.txtThemeLight": "Aydınlık", "Common.UI.Window.cancelButtonText": "İptal", "Common.UI.Window.closeButtonText": "Kapat", "Common.UI.Window.noButtonText": "Hayır", @@ -129,6 +209,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Otomatik madde listesi", "Common.Views.AutoCorrectDialog.textBy": "Tarafından", "Common.Views.AutoCorrectDialog.textDelete": "Sil", + "Common.Views.AutoCorrectDialog.textFLCells": "Tablo hücrelerinin ilk harfini büyük harf yap", "Common.Views.AutoCorrectDialog.textFLSentence": "Cümlelerin ilk harfini büyük yaz", "Common.Views.AutoCorrectDialog.textHyperlink": "Köprülü internet ve ağ yolları", "Common.Views.AutoCorrectDialog.textHyphens": "Kısa çizgi (--) ve tire (—) ", @@ -136,7 +217,7 @@ "Common.Views.AutoCorrectDialog.textNumbered": "Otomatik numaralı liste", "Common.Views.AutoCorrectDialog.textQuotes": "\"Akıllı tırnak\" ile \"düz tırnak\"", "Common.Views.AutoCorrectDialog.textRecognized": "Bilinen fonksiyonlar", - "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Aşağıdaki ifadeler tanınan matematik ifadeleridir. Otomatik olarak italik yazılmazlar.", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Aşağıdaki ifadeler tanınan matematik ifadeleridir. Otomatik olarak eğik yazılmazlar.", "Common.Views.AutoCorrectDialog.textReplace": "Değiştir", "Common.Views.AutoCorrectDialog.textReplaceText": "Yazarken Değiştir ", "Common.Views.AutoCorrectDialog.textReplaceType": "Metni yazarken değiştirin", @@ -154,6 +235,7 @@ "Common.Views.Comments.mniAuthorDesc": "Yazar Z'den A'ya", "Common.Views.Comments.mniDateAsc": "En eski", "Common.Views.Comments.mniDateDesc": "En yeni", + "Common.Views.Comments.mniFilterGroups": "Gruba göre filtrele", "Common.Views.Comments.mniPositionAsc": "Üstten", "Common.Views.Comments.mniPositionDesc": "Alttan", "Common.Views.Comments.textAdd": "Ekle", @@ -203,7 +285,7 @@ "Common.Views.Header.tipDownload": "Dosyayı indir", "Common.Views.Header.tipGoEdit": "Mevcut belgeyi düzenle", "Common.Views.Header.tipPrint": "Belgeyi yazdır", - "Common.Views.Header.tipRedo": "Tekrar yap", + "Common.Views.Header.tipRedo": "Yinele", "Common.Views.Header.tipSave": "Kaydet", "Common.Views.Header.tipUndo": "Geri Al", "Common.Views.Header.tipUndock": "Ayrı pencereye çıkarın", @@ -244,18 +326,18 @@ "Common.Views.ListSettingsDialog.txtType": "Tür", "Common.Views.OpenDialog.closeButtonText": "Dosyayı Kapat", "Common.Views.OpenDialog.txtEncoding": "Kodlama", - "Common.Views.OpenDialog.txtIncorrectPwd": "Şifre hatalı.", + "Common.Views.OpenDialog.txtIncorrectPwd": "Parola hatalı.", "Common.Views.OpenDialog.txtOpenFile": "Dosyayı Açmak için Parola Girin", "Common.Views.OpenDialog.txtPassword": "Parola", - "Common.Views.OpenDialog.txtProtected": "Şifreyi girip dosyayı açtığınızda, dosyanın mevcut şifresi sıfırlanacaktır.", + "Common.Views.OpenDialog.txtProtected": "Parolayı girip dosyayı açtığınızda, dosyanın mevcut parolası sıfırlanacaktır.", "Common.Views.OpenDialog.txtTitle": "%1 seçenekleri seçin", "Common.Views.OpenDialog.txtTitleProtected": "Korumalı dosya", - "Common.Views.PasswordDialog.txtDescription": "Bu belgeyi korumak için bir şifre belirleyin", + "Common.Views.PasswordDialog.txtDescription": "Bu belgeyi korumak için bir parola belirleyin", "Common.Views.PasswordDialog.txtIncorrectPwd": "Onay şifresi aynı değil", "Common.Views.PasswordDialog.txtPassword": "Parola", - "Common.Views.PasswordDialog.txtRepeat": "Şifreyi tekrar girin", - "Common.Views.PasswordDialog.txtTitle": "Şifreyi belirle", - "Common.Views.PasswordDialog.txtWarning": "Dikkat: Parolayı kaybeder veya unutursanız, kurtarılamaz.", + "Common.Views.PasswordDialog.txtRepeat": "Parolayı tekrar girin", + "Common.Views.PasswordDialog.txtTitle": "Parola Belirle", + "Common.Views.PasswordDialog.txtWarning": "Dikkat: Parolayı kaybeder veya unutursanız, kurtarılamaz. Lütfen parolayı güvenli bir yerde saklayın.", "Common.Views.PluginDlg.textLoading": "Yükleniyor", "Common.Views.Plugins.groupCaption": "Eklentiler", "Common.Views.Plugins.strPlugins": "Eklentiler", @@ -267,7 +349,7 @@ "Common.Views.Protection.hintSignature": "Dijital imza veya imza satırı ekleyin", "Common.Views.Protection.txtAddPwd": "Parola ekle", "Common.Views.Protection.txtChangePwd": "Parolayı Değiştir", - "Common.Views.Protection.txtDeletePwd": "Şifreyi sil", + "Common.Views.Protection.txtDeletePwd": "Parolayı sil", "Common.Views.Protection.txtEncrypt": "Şifrele", "Common.Views.Protection.txtInvisibleSignature": "Dijital imza ekle", "Common.Views.Protection.txtSignature": "İmza", @@ -348,7 +430,7 @@ "Common.Views.SignDialog.textCertificate": "Sertifika", "Common.Views.SignDialog.textChange": "Değiştir", "Common.Views.SignDialog.textInputName": "İmzalayan adını girin", - "Common.Views.SignDialog.textItalic": "İtalik", + "Common.Views.SignDialog.textItalic": "Eğik", "Common.Views.SignDialog.textNameError": "İmzalayan adı boş bırakılmamalıdır.", "Common.Views.SignDialog.textPurpose": "Bu belgeyi imzalamanın amacı", "Common.Views.SignDialog.textSelect": "Seç", @@ -410,7 +492,7 @@ "PE.Controllers.Main.applyChangesTextText": "Veri yükleniyor...", "PE.Controllers.Main.applyChangesTitleText": "Veri yükleniyor", "PE.Controllers.Main.convertationTimeoutText": "Değişim süresi aşıldı.", - "PE.Controllers.Main.criticalErrorExtText": "Döküman listesine dönmek için \"TAMAM\"'a tıklayın", + "PE.Controllers.Main.criticalErrorExtText": "Döküman listesine dönmek için \"Tamam\"'a tıklayın", "PE.Controllers.Main.criticalErrorTitle": "Hata", "PE.Controllers.Main.downloadErrorText": "İndirme başarısız oldu.", "PE.Controllers.Main.downloadTextText": "Belge indiriliyor...", @@ -419,7 +501,7 @@ "PE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kesildi. Döküman şu an düzenlenemez.", "PE.Controllers.Main.errorComboSeries": "Bir kombinasyon grafiği oluşturmak için en az iki veri serisi seçin.", - "PE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.", + "PE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
'Tamam' tuşuna tıkladığınızda belgeyi indirebileceksiniz.", "PE.Controllers.Main.errorDatabaseConnection": "Harci hata.
Veri tabanı bağlantı hatası. Hata devam ederse lütfen destek ile iletişime geçin.", "PE.Controllers.Main.errorDataEncrypted": "Şifreli değişiklikler algılandı, çözülemiyor.", "PE.Controllers.Main.errorDataRange": "Yanlış veri aralığı.", @@ -438,7 +520,7 @@ "PE.Controllers.Main.errorSessionAbsolute": "Belge düzenleme oturumu sona erdi. Lütfen sayfayı yeniden yükleyin.", "PE.Controllers.Main.errorSessionIdle": "Belge oldukça uzun süredir düzenlenmedi. Lütfen sayfayı yeniden yükleyin.", "PE.Controllers.Main.errorSessionToken": "Sunucu bağlantısı yarıda kesildi. Lütfen sayfayı yeniden yükleyin.", - "PE.Controllers.Main.errorSetPassword": "Şifre ayarlanamadı.", + "PE.Controllers.Main.errorSetPassword": "Parola ayarlanamadı.", "PE.Controllers.Main.errorStockChart": "Yanlış dizi sırası. Stok grafiği oluşturma için tablodaki verileri şu sırada yerleştirin:
açılış fiyatı, maksimum fiyat, minimum fiyat, kapanış fiyatı. ", "PE.Controllers.Main.errorToken": "Belge güvenlik belirteci doğru şekilde oluşturulmamış.
Lütfen Belge Sunucu yöneticinize başvurun.", "PE.Controllers.Main.errorTokenExpire": "Belge güvenlik belirteci süresi doldu.
Lütfen Belge Sunucusu yöneticinize başvurun.", @@ -495,17 +577,18 @@ "PE.Controllers.Main.textLongName": "128 Karakterden kısa bir ad girin.", "PE.Controllers.Main.textNoLicenseTitle": "Lisans limitine ulaşıldı.", "PE.Controllers.Main.textPaidFeature": "Ücretli Özellik", + "PE.Controllers.Main.textReconnect": "Yeniden bağlanıldı", "PE.Controllers.Main.textRemember": "Seçimimi tüm dosyalar için hatırla", "PE.Controllers.Main.textRenameError": "Kullanıcı adı boş bırakılmamalıdır.", "PE.Controllers.Main.textRenameLabel": "İşbirliği için kullanılacak bir ad girin", "PE.Controllers.Main.textShape": "Şekil", "PE.Controllers.Main.textStrict": "Strict mode", - "PE.Controllers.Main.textTryUndoRedo": "Geri al/İleri al fonksiyonları hızlı birlikte çalışma modunda devre dışı kalır.
'Katı mod' tuşuna tıklayarak Katı birlikte düzenleme moduna geçebilir ve diğer kullanıcıların müdehalesi olmadan, yalnızca siz belgeyi kaydettikten sonra değişiklik yapılmasını sağlayın. Ortak çalışma moduna tekrar dönmek için Gelişmiş ayarları kullanabilirsiniz.", - "PE.Controllers.Main.textTryUndoRedoWarn": "Hızlı birlikte düzenleme modunda geri al/ileri al fonksiyonları devre dışıdır.", + "PE.Controllers.Main.textTryUndoRedo": "Geri al/Yinele fonksiyonları hızlı ortak çalışma modunda devre dışı kalır.
'Katı mod' tuşuna tıklayarak Katı ortak düzenleme moduna geçebilir ve diğer kullanıcıların müdehalesi olmadan, yalnızca siz belgeyi kaydettikten sonra değişiklik yapılmasını sağlayabilirsiniz. Ortak çalışma moduna tekrar dönmek için Gelişmiş ayarları kullanabilirsiniz.", + "PE.Controllers.Main.textTryUndoRedoWarn": "Hızlı ortak düzenleme modunda geri al/yinele fonksiyonları devre dışıdır.", "PE.Controllers.Main.titleLicenseExp": "Lisans süresi doldu", "PE.Controllers.Main.titleServerVersion": "Editör güncellendi", "PE.Controllers.Main.txtAddFirstSlide": "İlk sunumu eklemek için tıklayın", - "PE.Controllers.Main.txtAddNotes": "Notlara eklemek için tıklayın", + "PE.Controllers.Main.txtAddNotes": "Not eklemek için tıklayın", "PE.Controllers.Main.txtArt": "Metni buraya giriniz", "PE.Controllers.Main.txtBasicShapes": "Temel Şekiller", "PE.Controllers.Main.txtButtons": "Tuşlar", @@ -519,9 +602,9 @@ "PE.Controllers.Main.txtErrorLoadHistory": "Geçmiş yüklenemedi", "PE.Controllers.Main.txtFiguredArrows": "Şekilli Oklar", "PE.Controllers.Main.txtFooter": "Altbilgi", - "PE.Controllers.Main.txtHeader": "Başlık", + "PE.Controllers.Main.txtHeader": "Üst Bilgi", "PE.Controllers.Main.txtImage": "Resim", - "PE.Controllers.Main.txtLines": "Satırlar", + "PE.Controllers.Main.txtLines": "Çizgiler", "PE.Controllers.Main.txtLoading": "Yükleniyor...", "PE.Controllers.Main.txtMath": "Matematik", "PE.Controllers.Main.txtMedia": "Medya", @@ -576,7 +659,7 @@ "PE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "Kavisli Çift Ok Bağlayıcı", "PE.Controllers.Main.txtShape_curvedDownArrow": "Eğri Aşağı Ok", "PE.Controllers.Main.txtShape_curvedLeftArrow": "Kavisli Sol Ok", - "PE.Controllers.Main.txtShape_curvedRightArrow": "Kavisli Sağ Ok", + "PE.Controllers.Main.txtShape_curvedRightArrow": "Kavisli Sağa Ok", "PE.Controllers.Main.txtShape_curvedUpArrow": "Kavisli Yukarı OK", "PE.Controllers.Main.txtShape_decagon": "Dekagon", "PE.Controllers.Main.txtShape_diagStripe": "Çapraz Çizgi", @@ -661,7 +744,7 @@ "PE.Controllers.Main.txtShape_rect": "Dikdörtgen", "PE.Controllers.Main.txtShape_ribbon": "Aşağı Ribbon", "PE.Controllers.Main.txtShape_ribbon2": "Yukarı Ribbon", - "PE.Controllers.Main.txtShape_rightArrow": "Sağ Ok", + "PE.Controllers.Main.txtShape_rightArrow": "Sağa Ok", "PE.Controllers.Main.txtShape_rightArrowCallout": "Sağ Ok Belirtme Çizgisi ", "PE.Controllers.Main.txtShape_rightBrace": "Sağ Ayraç", "PE.Controllers.Main.txtShape_rightBracket": "Sağ Köşeli Ayraç", @@ -676,16 +759,16 @@ "PE.Controllers.Main.txtShape_snip2SameRect": "Aynı Yan Köşe Dikdörtgeni Kes", "PE.Controllers.Main.txtShape_snipRoundRect": "Yuvarlak Tek Köşe Dikdörtgen Kes", "PE.Controllers.Main.txtShape_spline": "Eğri", - "PE.Controllers.Main.txtShape_star10": "10-Numara Yıldız", - "PE.Controllers.Main.txtShape_star12": "12-Numara Yıldız", - "PE.Controllers.Main.txtShape_star16": "16-Numara Yıldız", - "PE.Controllers.Main.txtShape_star24": "24-Numara Yıldız", - "PE.Controllers.Main.txtShape_star32": "32-Numara Yıldız", - "PE.Controllers.Main.txtShape_star4": "4-Numara Yıldız", - "PE.Controllers.Main.txtShape_star5": "5-Numara Yıldız", - "PE.Controllers.Main.txtShape_star6": "6-Numara Yıldız", - "PE.Controllers.Main.txtShape_star7": "7-Numara Yıldız", - "PE.Controllers.Main.txtShape_star8": "8-Numara Yıldız", + "PE.Controllers.Main.txtShape_star10": "10 Köşeli Yıldız", + "PE.Controllers.Main.txtShape_star12": "12 Köşeli Yıldız", + "PE.Controllers.Main.txtShape_star16": "16 Köşeli Yıldız", + "PE.Controllers.Main.txtShape_star24": "24 Köşeli Yıldız", + "PE.Controllers.Main.txtShape_star32": "32 Köşeli Yıldız", + "PE.Controllers.Main.txtShape_star4": "4 Köşeli Yıldız", + "PE.Controllers.Main.txtShape_star5": "5 Köşeli Yıldız", + "PE.Controllers.Main.txtShape_star6": "6 Köşeli Yıldız", + "PE.Controllers.Main.txtShape_star7": "7 Köşeli Yıldız", + "PE.Controllers.Main.txtShape_star8": "8 Köşeli Yıldız", "PE.Controllers.Main.txtShape_stripedRightArrow": "Çizgili Sağ Ok", "PE.Controllers.Main.txtShape_sun": "Güneş", "PE.Controllers.Main.txtShape_teardrop": "Damla", @@ -717,7 +800,7 @@ "PE.Controllers.Main.txtSldLtTObjOverTx": "Metin Üstünde Obje", "PE.Controllers.Main.txtSldLtTObjTx": "Başlık, Obje ve Altyazı", "PE.Controllers.Main.txtSldLtTPicTx": "Resim ve Başlık", - "PE.Controllers.Main.txtSldLtTSecHead": "Bölüm Üst Başlığı", + "PE.Controllers.Main.txtSldLtTSecHead": "Bölüm Üst Bilgisi", "PE.Controllers.Main.txtSldLtTTbl": "Tablo", "PE.Controllers.Main.txtSldLtTTitle": "Başlık", "PE.Controllers.Main.txtSldLtTTitleOnly": "Sadece Başlık", @@ -738,7 +821,7 @@ "PE.Controllers.Main.txtSldLtTVertTitleAndTxOverChart": "Dikey Başlık ve Grafik Üstünde Metin", "PE.Controllers.Main.txtSldLtTVertTx": "Dikey Metin", "PE.Controllers.Main.txtSlideNumber": "Slayt numarası", - "PE.Controllers.Main.txtSlideSubtitle": "Slayt altyazısı", + "PE.Controllers.Main.txtSlideSubtitle": "Slayt alt başlığı", "PE.Controllers.Main.txtSlideText": "Slayt metni", "PE.Controllers.Main.txtSlideTitle": "Slayt başlığı", "PE.Controllers.Main.txtStarsRibbons": "Yıldızlar & Kurdeleler", @@ -749,7 +832,7 @@ "PE.Controllers.Main.txtTheme_dotted": "Noktalı", "PE.Controllers.Main.txtTheme_green": "Yeşil", "PE.Controllers.Main.txtTheme_green_leaf": "Yeşil yaprak", - "PE.Controllers.Main.txtTheme_lines": "Satırlar", + "PE.Controllers.Main.txtTheme_lines": "Çizgiler", "PE.Controllers.Main.txtTheme_office": "Ofis", "PE.Controllers.Main.txtTheme_office_theme": "Office Teması", "PE.Controllers.Main.txtTheme_official": "Resmi", @@ -1066,7 +1149,7 @@ "PE.Controllers.Toolbar.txtSymbol_kappa": "Kappa", "PE.Controllers.Toolbar.txtSymbol_lambda": "Lambda", "PE.Controllers.Toolbar.txtSymbol_leftarrow": "Sol Ok", - "PE.Controllers.Toolbar.txtSymbol_leftrightarrow": "Sol-Sağ Ok", + "PE.Controllers.Toolbar.txtSymbol_leftrightarrow": "Sol-sağ ok", "PE.Controllers.Toolbar.txtSymbol_leq": "Küçük eşittir", "PE.Controllers.Toolbar.txtSymbol_less": "Küçüktür", "PE.Controllers.Toolbar.txtSymbol_ll": "Çok Küçüktür", @@ -1093,7 +1176,7 @@ "PE.Controllers.Toolbar.txtSymbol_qed": "İspat Sonu", "PE.Controllers.Toolbar.txtSymbol_rddots": "Yukarı Sağ Diyagonal Elips", "PE.Controllers.Toolbar.txtSymbol_rho": "Rho", - "PE.Controllers.Toolbar.txtSymbol_rightarrow": "Sağ Ok", + "PE.Controllers.Toolbar.txtSymbol_rightarrow": "Sağa Ok", "PE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", "PE.Controllers.Toolbar.txtSymbol_sqrt": "Kök İşareti", "PE.Controllers.Toolbar.txtSymbol_tau": "Tau", @@ -1102,17 +1185,20 @@ "PE.Controllers.Toolbar.txtSymbol_times": "Çarpma İşareti", "PE.Controllers.Toolbar.txtSymbol_uparrow": "Yukarı Oku", "PE.Controllers.Toolbar.txtSymbol_upsilon": "Epsilon", - "PE.Controllers.Toolbar.txtSymbol_varepsilon": "Epsilon Varyantı", - "PE.Controllers.Toolbar.txtSymbol_varphi": "Phi Varyantı", - "PE.Controllers.Toolbar.txtSymbol_varpi": "Pi Varyantı", - "PE.Controllers.Toolbar.txtSymbol_varrho": "Rho Varyantı", - "PE.Controllers.Toolbar.txtSymbol_varsigma": "Sigma Varyantı", - "PE.Controllers.Toolbar.txtSymbol_vartheta": "Teta Varyantı", + "PE.Controllers.Toolbar.txtSymbol_varepsilon": "Epsilon varyantı", + "PE.Controllers.Toolbar.txtSymbol_varphi": "Phi varyantı", + "PE.Controllers.Toolbar.txtSymbol_varpi": "Pi varyantı", + "PE.Controllers.Toolbar.txtSymbol_varrho": "Rho varyantı", + "PE.Controllers.Toolbar.txtSymbol_varsigma": "Sigma varyantı", + "PE.Controllers.Toolbar.txtSymbol_vartheta": "Teta varyantı", "PE.Controllers.Toolbar.txtSymbol_vdots": "Dikey Elips", "PE.Controllers.Toolbar.txtSymbol_xsi": "Xi", "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Slayta sığdır", "PE.Controllers.Viewport.textFitWidth": "Genişliğe Sığdır", + "PE.Views.Animation.strDelay": "Geciktir", + "PE.Views.Animation.strDuration": "Süre", + "PE.Views.Animation.strRepeat": "Tekrar", "PE.Views.Animation.textStartAfterPrevious": "Öncekinden Sonra", "PE.Views.Animation.txtAddEffect": "Animasyon ekle", "PE.Views.Animation.txtAnimationPane": "Animasyon Bölmesi", @@ -1139,7 +1225,7 @@ "PE.Views.DocumentHolder.addCommentText": "Yorum Ekle", "PE.Views.DocumentHolder.addToLayoutText": "Tasarım ekle", "PE.Views.DocumentHolder.advancedImageText": "Resim Gelişmiş Ayarlar", - "PE.Views.DocumentHolder.advancedParagraphText": "Paragraf Gelişmiş Ayarlar", + "PE.Views.DocumentHolder.advancedParagraphText": "Gelişmiş Paragraf Ayarları", "PE.Views.DocumentHolder.advancedShapeText": "Şekil Gelişmiş Ayarlar", "PE.Views.DocumentHolder.advancedTableText": "Tablo Gelişmiş Ayarlar", "PE.Views.DocumentHolder.alignmentText": "Hizalama", @@ -1157,7 +1243,7 @@ "PE.Views.DocumentHolder.directHText": "Yatay", "PE.Views.DocumentHolder.directionText": "Text Direction", "PE.Views.DocumentHolder.editChartText": "Veri düzenle", - "PE.Views.DocumentHolder.editHyperlinkText": "Hiper bağı düzenle", + "PE.Views.DocumentHolder.editHyperlinkText": "Köprüyü Düzenle", "PE.Views.DocumentHolder.hyperlinkText": "Köprü", "PE.Views.DocumentHolder.ignoreAllSpellText": "Hepsini yoksay", "PE.Views.DocumentHolder.ignoreSpellText": "Yoksay", @@ -1170,13 +1256,13 @@ "PE.Views.DocumentHolder.insertText": "Ekle", "PE.Views.DocumentHolder.langText": "Dil Seç", "PE.Views.DocumentHolder.leftText": "Sol", - "PE.Views.DocumentHolder.loadSpellText": "Varyantlar yükleniyor...", + "PE.Views.DocumentHolder.loadSpellText": "Öneriler yükleniyor...", "PE.Views.DocumentHolder.mergeCellsText": "Hücreleri birleştir", "PE.Views.DocumentHolder.mniCustomTable": "Özel Tablo Ekle", - "PE.Views.DocumentHolder.moreText": "Daha fazla varyant...", - "PE.Views.DocumentHolder.noSpellVariantsText": "Varyant yok", + "PE.Views.DocumentHolder.moreText": "Daha fazla öneri...", + "PE.Views.DocumentHolder.noSpellVariantsText": "Öneri yok", "PE.Views.DocumentHolder.originalSizeText": "Gerçek Boyut", - "PE.Views.DocumentHolder.removeHyperlinkText": "Köprüyü kaldır", + "PE.Views.DocumentHolder.removeHyperlinkText": "Köprüyü Kaldır", "PE.Views.DocumentHolder.rightText": "Sağ", "PE.Views.DocumentHolder.rowText": "Satır", "PE.Views.DocumentHolder.selectText": "Seç", @@ -1195,6 +1281,7 @@ "PE.Views.DocumentHolder.textCut": "Kes", "PE.Views.DocumentHolder.textDistributeCols": "Sütunları dağıt", "PE.Views.DocumentHolder.textDistributeRows": "Satırları dağıt", + "PE.Views.DocumentHolder.textEditPoints": "Noktaları Düzenle", "PE.Views.DocumentHolder.textFlipH": "Yatay olarak çevir", "PE.Views.DocumentHolder.textFlipV": "Dikey Çevir", "PE.Views.DocumentHolder.textFromFile": "Dosyadan", @@ -1313,7 +1400,7 @@ "PE.Views.DocumentHolder.txtWarnUrl": "Bu bağlantıyı tıklamak cihazınıza ve verilerinize zarar verebilir.
Devam etmek istediğinizden emin misiniz?", "PE.Views.DocumentHolder.vertAlignText": "Dikey Hizalama", "PE.Views.DocumentPreview.goToSlideText": "Slayta Git", - "PE.Views.DocumentPreview.slideIndexText": "Slayt {1}'in {0}'ı", + "PE.Views.DocumentPreview.slideIndexText": "Slayt {0}/{1}", "PE.Views.DocumentPreview.txtClose": "Önizlemeyi Kapat", "PE.Views.DocumentPreview.txtEndSlideshow": "Slayt gösterisi sonu", "PE.Views.DocumentPreview.txtExitFullScreen": "Tam ekrandan çık", @@ -1327,7 +1414,7 @@ "PE.Views.DocumentPreview.txtReset": "Sıfırla", "PE.Views.FileMenu.btnAboutCaption": "Hakkında", "PE.Views.FileMenu.btnBackCaption": "Dosya konumunu aç", - "PE.Views.FileMenu.btnCloseMenuCaption": "Menüyü kapat", + "PE.Views.FileMenu.btnCloseMenuCaption": "Menüyü Kapat", "PE.Views.FileMenu.btnCreateNewCaption": "Yeni oluştur", "PE.Views.FileMenu.btnDownloadCaption": "Farklı İndir...", "PE.Views.FileMenu.btnExitCaption": "Çıkış", @@ -1352,7 +1439,7 @@ "PE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Yazar Ekle", "PE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Metin Ekle", "PE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Uygulama", - "PE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Yayıncı", + "PE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Yazar", "PE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Erişim haklarını değiştir", "PE.Views.FileMenuPanels.DocumentInfo.txtComment": "Yorum", "PE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Oluşturuldu", @@ -1367,7 +1454,7 @@ "PE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Erişim haklarını değiştir", "PE.Views.FileMenuPanels.DocumentRights.txtRights": "Hakkı olan kişiler", "PE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Uyarı", - "PE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Şifre ile", + "PE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Parola ile", "PE.Views.FileMenuPanels.ProtectDoc.strProtect": "Sunuyu Koru", "PE.Views.FileMenuPanels.ProtectDoc.strSignature": "İmza ile", "PE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Sunumu Düzenle", @@ -1389,7 +1476,7 @@ "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ır Seçenekleri düğmesini göster", + "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", @@ -1416,7 +1503,7 @@ "PE.Views.FileMenuPanels.Settings.txtInput": "Girdiyi Değiştir", "PE.Views.FileMenuPanels.Settings.txtLast": "Sonuncuyu göster", "PE.Views.FileMenuPanels.Settings.txtMac": "OS X olarak", - "PE.Views.FileMenuPanels.Settings.txtNative": "Yerli", + "PE.Views.FileMenuPanels.Settings.txtNative": "Yerel", "PE.Views.FileMenuPanels.Settings.txtProofing": "Prova", "PE.Views.FileMenuPanels.Settings.txtPt": "Nokta", "PE.Views.FileMenuPanels.Settings.txtRunMacros": "Hepsini Etkinleştir", @@ -1451,7 +1538,7 @@ "PE.Views.HyperlinkSettingsDialog.textInternalLink": "Bu Dökümana Yerleştir", "PE.Views.HyperlinkSettingsDialog.textSlides": "Slaytlar", "PE.Views.HyperlinkSettingsDialog.textTipText": "Ekranİpucu metni", - "PE.Views.HyperlinkSettingsDialog.textTitle": "Köprü ayarları", + "PE.Views.HyperlinkSettingsDialog.textTitle": "Köprü Ayarları", "PE.Views.HyperlinkSettingsDialog.txtEmpty": "Bu alan gereklidir", "PE.Views.HyperlinkSettingsDialog.txtFirst": "İlk Slayt", "PE.Views.HyperlinkSettingsDialog.txtLast": "Son Slayt", @@ -1464,6 +1551,7 @@ "PE.Views.ImageSettings.textCrop": "Kırpmak", "PE.Views.ImageSettings.textCropFill": "Doldur", "PE.Views.ImageSettings.textCropFit": "Sığdır", + "PE.Views.ImageSettings.textCropToShape": "Şekillendirmek için kırp", "PE.Views.ImageSettings.textEdit": "Düzenle", "PE.Views.ImageSettings.textEditObject": "Obje Düzenle", "PE.Views.ImageSettings.textFitSlide": "Slayta sığdır", @@ -1478,6 +1566,7 @@ "PE.Views.ImageSettings.textHintFlipV": "Dikey Çevir", "PE.Views.ImageSettings.textInsert": "Resimi Değiştir", "PE.Views.ImageSettings.textOriginalSize": "Gerçek Boyut", + "PE.Views.ImageSettings.textRecentlyUsed": "Son Kullanılanlar", "PE.Views.ImageSettings.textRotate90": "Döndür 90°", "PE.Views.ImageSettings.textRotation": "Döndürme", "PE.Views.ImageSettings.textSize": "Boyut", @@ -1565,7 +1654,7 @@ "PE.Views.RightMenu.txtSignatureSettings": "İmza ayarları", "PE.Views.RightMenu.txtSlideSettings": "Slayt Ayarları", "PE.Views.RightMenu.txtTableSettings": "Tablo Ayarları", - "PE.Views.RightMenu.txtTextArtSettings": "Text Art Settings", + "PE.Views.RightMenu.txtTextArtSettings": "Yazı Sanatı ayarları", "PE.Views.ShapeSettings.strBackground": "Arka plan rengi", "PE.Views.ShapeSettings.strChange": "Otomatik Şeklini Değiştir", "PE.Views.ShapeSettings.strColor": "Renk", @@ -1599,6 +1688,7 @@ "PE.Views.ShapeSettings.textPatternFill": "Desen", "PE.Views.ShapeSettings.textPosition": "Pozisyon", "PE.Views.ShapeSettings.textRadial": "Radyal", + "PE.Views.ShapeSettings.textRecentlyUsed": "Son Kullanılanlar", "PE.Views.ShapeSettings.textRotate90": "Döndür 90°", "PE.Views.ShapeSettings.textRotation": "Döndürme", "PE.Views.ShapeSettings.textSelectImage": "Resim Seç", @@ -1741,7 +1831,7 @@ "PE.Views.SlideSizeSettings.txtStandard": "Standart (4:3)", "PE.Views.SlideSizeSettings.txtWidescreen": "Geniş ekran", "PE.Views.Statusbar.goToPageText": "Slayta Git", - "PE.Views.Statusbar.pageIndexText": "Slayt {1}'in {0}'ı", + "PE.Views.Statusbar.pageIndexText": "Slayt {0}/{1}", "PE.Views.Statusbar.textShowBegin": "Başlangıçtan itibaren göster", "PE.Views.Statusbar.textShowCurrent": "Mevcut slayttan itibaren göster", "PE.Views.Statusbar.textShowPresenterView": "Sunucu görünümüne geç", @@ -1780,7 +1870,7 @@ "PE.Views.TableSettings.textEdit": "Satırlar & Sütunlar", "PE.Views.TableSettings.textEmptyTemplate": "Şablon yok", "PE.Views.TableSettings.textFirst": "ilk", - "PE.Views.TableSettings.textHeader": "Üst Başlık", + "PE.Views.TableSettings.textHeader": "Üst Bilgi", "PE.Views.TableSettings.textHeight": "Yükseklik", "PE.Views.TableSettings.textLast": "Son", "PE.Views.TableSettings.textRows": "Satırlar", @@ -1913,8 +2003,9 @@ "PE.Views.Toolbar.textColumnsOne": "Bir Sütun", "PE.Views.Toolbar.textColumnsThree": "Üç Sütun", "PE.Views.Toolbar.textColumnsTwo": "İki Sütun", - "PE.Views.Toolbar.textItalic": "İtalik", + "PE.Views.Toolbar.textItalic": "Eğik", "PE.Views.Toolbar.textListSettings": "Liste Ayarları", + "PE.Views.Toolbar.textRecentlyUsed": "Son Kullanılanlar", "PE.Views.Toolbar.textShapeAlignBottom": "Alta Hizala", "PE.Views.Toolbar.textShapeAlignCenter": "Ortaya Hizala", "PE.Views.Toolbar.textShapeAlignLeft": "Sola Hizala", @@ -1929,12 +2020,12 @@ "PE.Views.Toolbar.textSubscript": "Altsimge", "PE.Views.Toolbar.textSuperscript": "Üstsimge", "PE.Views.Toolbar.textTabAnimation": "Animasyon", - "PE.Views.Toolbar.textTabCollaboration": "Ortak çalışma", + "PE.Views.Toolbar.textTabCollaboration": "Ortak Çalışma", "PE.Views.Toolbar.textTabFile": "Dosya", "PE.Views.Toolbar.textTabHome": "Ana Sayfa", "PE.Views.Toolbar.textTabInsert": "Ekle", "PE.Views.Toolbar.textTabProtect": "Koruma", - "PE.Views.Toolbar.textTabTransitions": "geçişler", + "PE.Views.Toolbar.textTabTransitions": "Geçişler", "PE.Views.Toolbar.textTitleError": "Hata", "PE.Views.Toolbar.textUnderline": "Altı çizili", "PE.Views.Toolbar.tipAddSlide": "Slayt ekle", @@ -1948,7 +2039,7 @@ "PE.Views.Toolbar.tipCopy": "Kopyala", "PE.Views.Toolbar.tipCopyStyle": "Stili Kopyala", "PE.Views.Toolbar.tipDateTime": "Şimdiki tarih ve saati ekle", - "PE.Views.Toolbar.tipDecFont": "Yazı Boyutu Azaltımı", + "PE.Views.Toolbar.tipDecFont": "Yazı boyutunu azalt", "PE.Views.Toolbar.tipDecPrLeft": "Girintiyi Azalt", "PE.Views.Toolbar.tipEditHeader": "Altlığı Düzenle", "PE.Views.Toolbar.tipFontColor": "Yazı Tipi Rengi", @@ -1956,7 +2047,7 @@ "PE.Views.Toolbar.tipFontSize": "Yazıtipi boyutu", "PE.Views.Toolbar.tipHAligh": "Yatay Hizala", "PE.Views.Toolbar.tipHighlightColor": "Vurgu Rengi", - "PE.Views.Toolbar.tipIncFont": "Yazı Tipi Boyut Arttırımı", + "PE.Views.Toolbar.tipIncFont": "Yazı boyutunu arttır", "PE.Views.Toolbar.tipIncPrLeft": "Girintiyi Arttır", "PE.Views.Toolbar.tipInsertAudio": "Ses ekle", "PE.Views.Toolbar.tipInsertChart": "Tablo ekle", @@ -1967,7 +2058,7 @@ "PE.Views.Toolbar.tipInsertSymbol": "Simge ekle", "PE.Views.Toolbar.tipInsertTable": "Tablo ekle", "PE.Views.Toolbar.tipInsertText": "Metin kutusu ekle", - "PE.Views.Toolbar.tipInsertTextArt": "Metin Art Ekle", + "PE.Views.Toolbar.tipInsertTextArt": "Yazı Sanatı Ekle", "PE.Views.Toolbar.tipInsertVideo": "Video ekle", "PE.Views.Toolbar.tipLineSpace": "Satır Aralığı", "PE.Views.Toolbar.tipMarkers": "Maddeler", @@ -1975,7 +2066,7 @@ "PE.Views.Toolbar.tipPaste": "Yapıştır", "PE.Views.Toolbar.tipPreview": "Önizlemeye Başla", "PE.Views.Toolbar.tipPrint": "Yazdır", - "PE.Views.Toolbar.tipRedo": "Tekrar yap", + "PE.Views.Toolbar.tipRedo": "Yinele", "PE.Views.Toolbar.tipSave": "Kaydet", "PE.Views.Toolbar.tipSaveCoauth": "Diğer kullanıcıların görmesi için değişikliklerinizi kaydedin.", "PE.Views.Toolbar.tipShapeAlign": "Şekli Hizala", @@ -1988,6 +2079,7 @@ "PE.Views.Toolbar.tipViewSettings": "Ayarları Göster", "PE.Views.Toolbar.txtDistribHor": "Yatay olarak dağıt", "PE.Views.Toolbar.txtDistribVert": "Dikey olarak dağıt", + "PE.Views.Toolbar.txtDuplicateSlide": "Slaytı kopyala", "PE.Views.Toolbar.txtGroup": "Grup", "PE.Views.Toolbar.txtObjectsAlign": "Seçili Objeleri Hizala", "PE.Views.Toolbar.txtScheme1": "Ofis", @@ -2051,5 +2143,7 @@ "PE.Views.Transitions.txtPreview": "Önizleme", "PE.Views.Transitions.txtSec": "s", "PE.Views.ViewTab.textAlwaysShowToolbar": "Her zaman araç çubuğunu göster", + "PE.Views.ViewTab.textFitToSlide": "Slayda Sığdır", + "PE.Views.ViewTab.textFitToWidth": "Genişliğe Sığdır", "PE.Views.ViewTab.textZoom": "Yakınlaştırma" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/uk.json b/apps/presentationeditor/main/locale/uk.json index 3b4fabdff..369556469 100644 --- a/apps/presentationeditor/main/locale/uk.json +++ b/apps/presentationeditor/main/locale/uk.json @@ -47,6 +47,193 @@ "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": "Заокруглений хрестик", + "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.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": "Синусоїда 1", + "Common.define.effectData.textSCurve2": "Синусоїда 2", + "Common.define.effectData.textShape": "Фігура", + "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": "Створити копію", "Common.Translation.warnFileLockedBtnView": "Відкрити на перегляд", @@ -61,6 +248,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": "Введіть текст заміни", @@ -104,6 +293,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Стилі маркованих списків", "Common.Views.AutoCorrectDialog.textBy": "На", "Common.Views.AutoCorrectDialog.textDelete": "Видалити", + "Common.Views.AutoCorrectDialog.textFLCells": "Робити перші літери в клітинках таблиць великими", "Common.Views.AutoCorrectDialog.textFLSentence": "Писати речення з великої літери", "Common.Views.AutoCorrectDialog.textHyperlink": "Адреси в інтернеті та мережі гіперпосиланнями", "Common.Views.AutoCorrectDialog.textHyphens": "Дефіси (--) на тире (—)", @@ -129,12 +319,14 @@ "Common.Views.Comments.mniAuthorDesc": "За автором від Я до А", "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 +340,7 @@ "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": "Копіювати, вирізати та вставити дії", @@ -312,6 +505,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 +663,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": "Введіть ім'я, що буде використовуватись для спільної роботи", @@ -650,16 +845,16 @@ "PE.Controllers.Main.txtShape_snip2SameRect": "Прямокутник з двома вирізаними сусідніми кутами", "PE.Controllers.Main.txtShape_snipRoundRect": "Прямокутник з одним вирізаним закругленим кутом", "PE.Controllers.Main.txtShape_spline": "Крива", - "PE.Controllers.Main.txtShape_star10": "10-кінцева зірка", - "PE.Controllers.Main.txtShape_star12": "12-кінцева зірка", - "PE.Controllers.Main.txtShape_star16": "16-кінцева зірка", - "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_star10": "10-кутна зірка", + "PE.Controllers.Main.txtShape_star12": "12-кутна зірка", + "PE.Controllers.Main.txtShape_star16": "16-кутна зірка", + "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": "Крапля", @@ -750,6 +945,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": "Акценти", @@ -1086,6 +1282,29 @@ "PE.Controllers.Toolbar.txtSymbol_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.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": "Редагувати дату", @@ -1165,6 +1384,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 +1469,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": "Використовувати кінцеву тему", @@ -1434,6 +1656,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 +1671,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": "Розмір", @@ -1569,6 +1793,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 +2110,7 @@ "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": "Вирівняти зліва", @@ -1898,12 +2124,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": "Додати слайд", @@ -1957,6 +2185,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 +2247,13 @@ "PE.Views.Transitions.txtApplyToAll": "Додати до усіх слайдів", "PE.Views.Transitions.txtParameters": "Параметри", "PE.Views.Transitions.txtPreview": "Перегляд", - "PE.Views.Transitions.txtSec": "сек" + "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/zh.json b/apps/presentationeditor/main/locale/zh.json index 28d5f8cb9..64d844ff9 100644 --- a/apps/presentationeditor/main/locale/zh.json +++ b/apps/presentationeditor/main/locale/zh.json @@ -47,6 +47,193 @@ "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": "双八串接", + "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.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": "四角形", + "Common.define.effectData.textPointStar5": "五角星", + "Common.define.effectData.textPointStar6": "六角星", + "Common.define.effectData.textPointStar8": "八角星", + "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.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": "创建拷贝", "Common.Translation.warnFileLockedBtnView": "打开以查看", @@ -61,6 +248,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": "输入替换文字", @@ -104,6 +293,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "自动项目符号列表", "Common.Views.AutoCorrectDialog.textBy": "依据", "Common.Views.AutoCorrectDialog.textDelete": "删除", + "Common.Views.AutoCorrectDialog.textFLCells": "表格单元格的首字母大写", "Common.Views.AutoCorrectDialog.textFLSentence": "句首字母大写", "Common.Views.AutoCorrectDialog.textHyperlink": "带超链接的互联网与网络路径", "Common.Views.AutoCorrectDialog.textHyphens": "连带字符(-)改为破折号(-)", @@ -129,12 +319,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 +340,7 @@ "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": "复制,剪切和粘贴操作", @@ -203,10 +396,10 @@ "Common.Views.InsertTableDialog.txtTitle": "表格大小", "Common.Views.InsertTableDialog.txtTitleSplit": "拆分单元格", "Common.Views.LanguageDialog.labelSelect": "选择文档语言", - "Common.Views.ListSettingsDialog.textBulleted": "已添加项目点", + "Common.Views.ListSettingsDialog.textBulleted": "已添加项目符号", "Common.Views.ListSettingsDialog.textNumbering": "标号", "Common.Views.ListSettingsDialog.tipChange": "修改项目点", - "Common.Views.ListSettingsDialog.txtBullet": "项目点", + "Common.Views.ListSettingsDialog.txtBullet": "项目符号", "Common.Views.ListSettingsDialog.txtColor": "颜色", "Common.Views.ListSettingsDialog.txtNewBullet": "添加一个新的项目点", "Common.Views.ListSettingsDialog.txtNone": "无", @@ -312,6 +505,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 +663,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 +945,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": "口音", @@ -1006,7 +1202,7 @@ "PE.Controllers.Toolbar.txtSymbol_ast": "星号运营商", "PE.Controllers.Toolbar.txtSymbol_beta": "测试版", "PE.Controllers.Toolbar.txtSymbol_beth": "打赌", - "PE.Controllers.Toolbar.txtSymbol_bullet": "着重号操作", + "PE.Controllers.Toolbar.txtSymbol_bullet": "项目符号操作", "PE.Controllers.Toolbar.txtSymbol_cap": "路口", "PE.Controllers.Toolbar.txtSymbol_cbrt": "立方根", "PE.Controllers.Toolbar.txtSymbol_cdots": "中线水平省略号", @@ -1086,6 +1282,29 @@ "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.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": "编辑数据", @@ -1147,7 +1366,7 @@ "PE.Views.DocumentHolder.noSpellVariantsText": "没有变量", "PE.Views.DocumentHolder.originalSizeText": "实际大小", "PE.Views.DocumentHolder.removeHyperlinkText": "删除超链接", - "PE.Views.DocumentHolder.rightText": "右", + "PE.Views.DocumentHolder.rightText": "右侧", "PE.Views.DocumentHolder.rowText": "行", "PE.Views.DocumentHolder.selectText": "请选择", "PE.Views.DocumentHolder.spellcheckText": "拼写检查", @@ -1165,6 +1384,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 +1469,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": "使用目标主题", @@ -1434,6 +1656,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 +1671,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 +1713,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": "全部大写", @@ -1497,7 +1721,7 @@ "PE.Views.ParagraphSettingsAdvanced.strIndent": "缩进", "PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "左", "PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "行间距", - "PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "对", + "PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "右侧", "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "后", "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "前", "PE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "特别", @@ -1525,7 +1749,7 @@ "PE.Views.ParagraphSettingsAdvanced.textTabCenter": "中心", "PE.Views.ParagraphSettingsAdvanced.textTabLeft": "左", "PE.Views.ParagraphSettingsAdvanced.textTabPosition": "标签的位置", - "PE.Views.ParagraphSettingsAdvanced.textTabRight": "右", + "PE.Views.ParagraphSettingsAdvanced.textTabRight": "右侧", "PE.Views.ParagraphSettingsAdvanced.textTitle": "段落 - 高级设置", "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "自动", "PE.Views.RightMenu.txtChartSettings": "图表设置", @@ -1569,6 +1793,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": "选取图片", @@ -1619,7 +1844,7 @@ "PE.Views.ShapeSettingsAdvanced.textMiter": "米特", "PE.Views.ShapeSettingsAdvanced.textNofit": "不要使用自动适应", "PE.Views.ShapeSettingsAdvanced.textResizeFit": "调整形状以适应文本", - "PE.Views.ShapeSettingsAdvanced.textRight": "右", + "PE.Views.ShapeSettingsAdvanced.textRight": "右侧", "PE.Views.ShapeSettingsAdvanced.textRotation": "旋转", "PE.Views.ShapeSettingsAdvanced.textRound": "圆", "PE.Views.ShapeSettingsAdvanced.textShrink": "超出时压缩文本", @@ -1786,7 +2011,7 @@ "PE.Views.TableSettingsAdvanced.textDefaultMargins": "默认边距", "PE.Views.TableSettingsAdvanced.textLeft": "左", "PE.Views.TableSettingsAdvanced.textMargins": "元数据边缘", - "PE.Views.TableSettingsAdvanced.textRight": "右", + "PE.Views.TableSettingsAdvanced.textRight": "右侧", "PE.Views.TableSettingsAdvanced.textTitle": "表-高级设置", "PE.Views.TableSettingsAdvanced.textTop": "顶部", "PE.Views.TableSettingsAdvanced.textWidthSpaces": "边距", @@ -1885,6 +2110,7 @@ "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": "左对齐", @@ -1898,12 +2124,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.textTabTransitions": "切换", + "PE.Views.Toolbar.textTabView": "视图", "PE.Views.Toolbar.textTitleError": "错误", "PE.Views.Toolbar.textUnderline": "下划线", "PE.Views.Toolbar.tipAddSlide": "添加幻灯片", @@ -1939,7 +2167,7 @@ "PE.Views.Toolbar.tipInsertTextArt": "插入文字艺术", "PE.Views.Toolbar.tipInsertVideo": "插入视频", "PE.Views.Toolbar.tipLineSpace": "行间距", - "PE.Views.Toolbar.tipMarkers": "着重号", + "PE.Views.Toolbar.tipMarkers": "项目符号", "PE.Views.Toolbar.tipNumbers": "编号", "PE.Views.Toolbar.tipPaste": "粘贴", "PE.Views.Toolbar.tipPreview": "开始幻灯片放映", @@ -1957,6 +2185,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": "公司地址", @@ -2000,7 +2229,7 @@ "PE.Views.Transitions.textLeft": "左", "PE.Views.Transitions.textNone": "无", "PE.Views.Transitions.textPush": "推送", - "PE.Views.Transitions.textRight": "右", + "PE.Views.Transitions.textRight": "右侧", "PE.Views.Transitions.textSmoothly": "平滑", "PE.Views.Transitions.textSplit": "拆分", "PE.Views.Transitions.textTop": "顶部", @@ -2018,5 +2247,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/resources/img/toolbar/1.25x/animation-delay.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/animation-delay.png new file mode 100644 index 000000000..88fb734b6 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/animation-delay.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/animation-duration.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/animation-duration.png new file mode 100644 index 000000000..51ac6a607 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/animation-duration.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/animation-repeat.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/animation-repeat.png new file mode 100644 index 000000000..a54c79a3d Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/animation-repeat.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/add-animation.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/add-animation.png new file mode 100644 index 000000000..f170ad76c Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/add-animation.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-preview-start.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-preview-start.png new file mode 100644 index 000000000..4f6b06a87 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-preview-start.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-preview-stop.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-preview-stop.png new file mode 100644 index 000000000..4b6a5c016 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-preview-stop.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/btn-preview-start.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/btn-preview-start.png new file mode 100644 index 000000000..75ff3af97 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/btn-preview-start.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/btn-trigger.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/btn-trigger.png new file mode 100644 index 000000000..0831be766 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/btn-trigger.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/animation-delay.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/animation-delay.png new file mode 100644 index 000000000..bac1daed5 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/animation-delay.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/animation-duration.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/animation-duration.png new file mode 100644 index 000000000..a167b458d Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/animation-duration.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 new file mode 100644 index 000000000..5a4fd085b Binary files /dev/null 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/add-animation.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/add-animation.png new file mode 100644 index 000000000..118924b7e Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/add-animation.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-preview-start.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-preview-start.png new file mode 100644 index 000000000..e9c0c1019 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-preview-start.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-preview-stop.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-preview-stop.png new file mode 100644 index 000000000..9aefad3ab Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-preview-stop.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/btn-preview-start.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/btn-preview-start.png new file mode 100644 index 000000000..dbfcadacb Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/btn-preview-start.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/btn-trigger.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/btn-trigger.png new file mode 100644 index 000000000..3bb92d576 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/btn-trigger.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/animation-delay.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/animation-delay.png new file mode 100644 index 000000000..548ac26a5 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/animation-delay.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/animation-duration.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/animation-duration.png new file mode 100644 index 000000000..e1e0c9caa Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/animation-duration.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/animation-repeat.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/animation-repeat.png new file mode 100644 index 000000000..0fc56c4f1 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/animation-repeat.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/add-animation.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/add-animation.png new file mode 100644 index 000000000..ec0cc4944 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/add-animation.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-preview-start.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-preview-start.png new file mode 100644 index 000000000..f5e6918c9 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-preview-start.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-preview-stop.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-preview-stop.png new file mode 100644 index 000000000..ea11a6f01 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-preview-stop.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/btn-preview-start.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/btn-preview-start.png new file mode 100644 index 000000000..0e8fff6d3 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/btn-preview-start.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/btn-trigger.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/btn-trigger.png new file mode 100644 index 000000000..cbf7ec679 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/btn-trigger.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/animation-delay.png b/apps/presentationeditor/main/resources/img/toolbar/1x/animation-delay.png new file mode 100644 index 000000000..60a35c3ff Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/animation-delay.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/animation-duration.png b/apps/presentationeditor/main/resources/img/toolbar/1x/animation-duration.png new file mode 100644 index 000000000..54b3b85ee Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/animation-duration.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/animation-repeat.png b/apps/presentationeditor/main/resources/img/toolbar/1x/animation-repeat.png new file mode 100644 index 000000000..c230c4182 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/animation-repeat.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/add-animation.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/add-animation.png new file mode 100644 index 000000000..be91e4fe3 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/add-animation.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-preview-start.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-preview-start.png new file mode 100644 index 000000000..3418c612c Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-preview-start.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-preview-stop.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-preview-stop.png new file mode 100644 index 000000000..4765e6e12 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-preview-stop.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/btn-preview-start.png b/apps/presentationeditor/main/resources/img/toolbar/1x/btn-preview-start.png new file mode 100644 index 000000000..e297503bb Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/btn-preview-start.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/btn-trigger.png b/apps/presentationeditor/main/resources/img/toolbar/1x/btn-trigger.png new file mode 100644 index 000000000..2186745af Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/btn-trigger.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/animation-delay.png b/apps/presentationeditor/main/resources/img/toolbar/2x/animation-delay.png new file mode 100644 index 000000000..1314d5620 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/animation-delay.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/animation-duration.png b/apps/presentationeditor/main/resources/img/toolbar/2x/animation-duration.png new file mode 100644 index 000000000..5b334e623 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/animation-duration.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/animation-repeat.png b/apps/presentationeditor/main/resources/img/toolbar/2x/animation-repeat.png new file mode 100644 index 000000000..b57754b49 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/animation-repeat.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/add-animation.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/add-animation.png new file mode 100644 index 000000000..1ea0355a1 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/add-animation.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-preview-start.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-preview-start.png new file mode 100644 index 000000000..81fd79996 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-preview-start.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-preview-stop.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-preview-stop.png new file mode 100644 index 000000000..d7959ed56 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-preview-stop.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/btn-preview-start.png b/apps/presentationeditor/main/resources/img/toolbar/2x/btn-preview-start.png new file mode 100644 index 000000000..44bf1cd59 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/btn-preview-start.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/btn-trigger.png b/apps/presentationeditor/main/resources/img/toolbar/2x/btn-trigger.png new file mode 100644 index 000000000..1c5e69323 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/btn-trigger.png differ diff --git a/apps/presentationeditor/main/resources/less/app.less b/apps/presentationeditor/main/resources/less/app.less index b681f127c..2486829e2 100644 --- a/apps/presentationeditor/main/resources/less/app.less +++ b/apps/presentationeditor/main/resources/less/app.less @@ -121,6 +121,7 @@ @import "../../../../common/main/resources/less/symboltable.less"; @import "../../../../common/main/resources/less/history.less"; @import "../../../../common/main/resources/less/hint-manager.less"; +@import "../../../../common/main/resources/less/label.less"; // App // -------------------------------------------------- diff --git a/apps/presentationeditor/main/resources/less/layout.less b/apps/presentationeditor/main/resources/less/layout.less index ececafe9e..7128459d9 100644 --- a/apps/presentationeditor/main/resources/less/layout.less +++ b/apps/presentationeditor/main/resources/less/layout.less @@ -19,8 +19,6 @@ body { } #viewport { - overflow: scroll; - &::-webkit-scrollbar { width: 0; height: 0; @@ -29,7 +27,6 @@ body { #viewport-vbox-layout { .layout-item:nth-child(3) { - overflow: scroll; &::-webkit-scrollbar { width: 0; @@ -54,6 +51,7 @@ label { background-color: @background-toolbar-ie; background-color: @background-toolbar; overflow: hidden; + scroll-behavior: smooth; // chromium bug890248 (Bug 39614) } .layout-region { diff --git a/apps/presentationeditor/mobile/locale/az.json b/apps/presentationeditor/mobile/locale/az.json index a06c36408..33a8e623b 100644 --- a/apps/presentationeditor/mobile/locale/az.json +++ b/apps/presentationeditor/mobile/locale/az.json @@ -379,7 +379,6 @@ "textTopLeft": "Yuxarı-Sol", "textTopRight": "Yuxarı-Sağ", "textTotalRow": "Yekun Sətir", - "textTransition": "Keçid", "textTransitions": "Keçidlər", "textType": "Növ", "textUnCover": "Açın", diff --git a/apps/presentationeditor/mobile/locale/be.json b/apps/presentationeditor/mobile/locale/be.json index 7c3baf3e3..89a00db4b 100644 --- a/apps/presentationeditor/mobile/locale/be.json +++ b/apps/presentationeditor/mobile/locale/be.json @@ -1,479 +1,478 @@ { "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", + "errorCopyCutPaste": "Аперацыі капіявання, выразання і ўстаўкі праз кантэкстнае меню будуць выконвацца толькі ў бягучым файле.", + "menuAddComment": "Дадаць каментар", + "menuAddLink": "Дадаць спасылку", + "menuCancel": "Скасаваць", + "menuDelete": "Выдаліць", + "menuDeleteTable": "Выдаліць табліцу", + "menuEdit": "Рэдагаваць", + "menuMerge": "Аб’яднаць", + "menuMore": "Больш", + "menuOpenLink": "Адкрыць спасылку", + "menuViewComment": "Праглядзець каментар", + "textColumns": "Слупкі", + "textCopyCutPasteActions": "Скапіяваць, выразаць, уставіць", + "textRows": "Радкі", "menuSplit": "Split", - "menuViewComment": "View Comment", - "textColumns": "Columns", - "textCopyCutPasteActions": "Copy, Cut and Paste Actions", - "textDoNotShowAgain": "Don't show again", - "textRows": "Rows" + "textDoNotShowAgain": "Don't show again" }, "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": "Памылка", + "errorProcessSaveResult": "Не атрымалася захаваць", + "errorServerVersion": "Рэдактар быў абноўлены. Старонка перазагрузіцца, каб ужыць змены.", + "errorUpdateVersion": "Версія файла была змененая. Старонка будзе перазагружаная.", + "notcriticalErrorTitle": "Увага", "SDK": { - "Chart": "Chart", + "Chart": "Дыяграма", + "ClipArt": "Малюнак", + "Date and time": "Дата і час", + "Diagram": "Схема", + "Diagram Title": "Загаловак дыяграмы", + "Footer": "Ніжні калантытул", + "Header": "Верхні калантытул", + "Image": "Выява", + "Loading": "Загрузка", + "Media": "Медыя", + "None": "Няма", + "Picture": "Малюнак", + "Series": "Шэраг", + "Slide number": "Нумар слайда", + "Slide subtitle": "Падзагаловак слайда", + "Slide text": "Тэкст слайда", + "Slide title": "Загаловак слайда", + "Table": "Табліца", + "Y Axis": "Вось Y", + "Your text here": "Увядзіце ваш тэкст", "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", - "X Axis": "X Axis XAS", - "Y Axis": "Y Axis", - "Your text here": "Your text here" + "X Axis": "X Axis XAS" }, - "textAnonymous": "Anonymous", - "textBuyNow": "Visit website", - "textClose": "Close", - "textContactUs": "Contact sales", + "textAnonymous": "Ананімны карыстальнік", + "textBuyNow": "Наведаць сайт", + "textClose": "Закрыць", + "textContactUs": "Аддзел продажаў", + "textGuest": "Госць", + "textHasMacros": "Файл змяшчае макрасы з аўтазапускам.
Хочаце запусціць макрасы?", + "textNo": "Не", + "textNoLicenseTitle": "Ліцэнзійнае абмежаванне", + "textNoTextFound": "Тэкст не знойдзены", + "textOpenFile": "Каб адкрыць файл, увядзіце пароль", + "textPaidFeature": "Платная функцыя", + "textReplaceSkipped": "Заменена. Мінута ўваходжанняў - {0}.", + "textReplaceSuccess": "Пошук завершаны. Заменена ўваходжанняў: {0}", + "textYes": "Так", + "titleLicenseExp": "Тэрмін дзеяння ліцэнзіі сышоў", + "titleServerVersion": "Рэдактар абноўлены", + "titleUpdateVersion": "Версія змянілася", + "txtProtected": "Калі вы ўвядзеце пароль і адкрыеце файл, бягучы пароль да файла скінецца", + "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.", + "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.", "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", + "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.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "warnProcessRightsChange": "You don't have permission to edit the file." } }, "Error": { - "convertationTimeoutText": "Conversion timeout exceeded.", + "convertationTimeoutText": "Час чакання пераўтварэння сышоў.", + "criticalErrorTitle": "Памылка", + "downloadErrorText": "Не атрымалася спампаваць.", + "errorBadImageUrl": "Хібны URL-адрас выявы", + "errorDatabaseConnection": "Вонкавая памылка.
Памылка злучэння з базай даных. Калі ласка, звярніцеся ў службу падтрымкі.", + "errorDataEncrypted": "Атрыманы зашыфраваныя змены, іх немагчыма расшыфраваць.", + "errorDataRange": "Хібны дыяпазон даных.", + "errorDefaultMessage": "Код памылкі: %1", + "errorKeyEncrypt": "Невядомы дэскрыптар ключа", + "errorKeyExpire": "Тэрмін дзеяння дэскрыптара ключа сышоў", + "errorUserDrop": "На дадзены момант файл недаступны.", + "errorUsersExceed": "Перасягнута колькасць карыстальнікаў, дазволеных згодна тарыфу", + "notcriticalErrorTitle": "Увага", + "splitDividerErrorText": "Колькасць радкоў мусіць быць дзельнікам для %1", + "splitMaxColsErrorText": "Колькасць слупкоў павінна быць меншай за %1", + "splitMaxRowsErrorText": "Колькасць радкоў павінна быць меншай за %1", + "unknownErrorText": "Невядомая памылка.", + "uploadImageExtMessage": "Невядомы фармат выявы.", + "uploadImageFileCountMessage": "Выяў не запампавана.", "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", + "errorLoadingFont": "Fonts are not loaded.
Please contact your Document Server administrator.", "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", + "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.", "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." + "uploadImageSizeMessage": "The image is too big. The maximum size is 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": { + "leaveButtonText": "Сысці са старонкі", + "stayButtonText": "Застацца на старонцы", "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" + "dlgLeaveTitleText": "You leave the application" }, "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": "Паказваць", + "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\"", + "textEmptyImgUrl": "You need to specify the image URL." }, "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", + "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": "Адзнакі", + "textCaseSensitive": "Улічваць рэгістр", + "textCellMargins": "Палі ячэйкі", + "textChart": "Дыяграма", + "textClock": "Гадзіннік", + "textClockwise": "Па стрэлцы гадзінніка", + "textColor": "Колер", + "textCounterclockwise": "Супраць стрэлкі гадзінніка", + "textCover": "Покрыва", + "textCustomColor": "Адвольны колер", + "textDefault": "Вылучаны тэкст", + "textDelay": "Затрымка", + "textDeleteSlide": "Выдаліць слайд", + "textDesign": "Выгляд", + "textDisplay": "Паказваць", + "textDistanceFromText": "Адлегласць да тэксту", + "textDistributeHorizontally": "Размеркаваць па гарызанталі", + "textDistributeVertically": "Размеркаваць па вертыкалі", + "textDone": "Завершана", + "textDoubleStrikethrough": "Падвойнае закрэсліванне", + "textDuplicateSlide": "Дубляваць слайд", + "textDuration": "Працягласць", + "textEditLink": "Рэдагаваць спасылку", + "textEffect": "Эфект", + "textEffects": "Эфекты", + "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": "Няма", + "textNoTextFound": "Тэкст не знойдзены", + "textNotUrl": "Гэтае поле мусіць быць URL-адрасам фармату \"http://www.example.com\"", + "textNumbers": "Нумарацыя", + "textOk": "Добра", + "textOpacity": "Непразрыстасць", + "textOptions": "Параметры", + "textPictureFromLibrary": "Выява з бібліятэкі", + "textPictureFromURL": "Выява па URL", + "textPreviousSlide": "Папярэдні слайд", + "textPt": "пт", + "textPush": "Ссоўванне", + "textRemoveChart": "Выдаліць дыяграму", + "textRemoveImage": "Выдаліць выяву", + "textRemoveLink": "Выдаліць спасылку", + "textRemoveShape": "Выдаліць фігуру", + "textRemoveTable": "Выдаліць табліцу", + "textReorder": "Перапарадкаваць", + "textReplace": "Замяніць", + "textReplaceAll": "Замяніць усе", + "textReplaceImage": "Замяніць выяву", + "textRight": "Справа", + "textScreenTip": "Падказка", + "textSearch": "Пошук", + "textSec": "с", + "textSendToBackground": "Перамясціць у фон", + "textShape": "Фігура", + "textSize": "Памер", + "textSlide": "Слайд", + "textSlideInThisPresentation": "Слайд у гэтай прэзентацыі", + "textSlideNumber": "Нумар слайда", + "textSmallCaps": "Малыя прапісныя", + "textSmoothly": "Плаўна", + "textStartOnClick": "Запускаць пстрычкай", + "textStrikethrough": "Закрэсліванне", + "textStyle": "Стыль", + "textStyleOptions": "Параметры стылю", + "textSubscript": "Падрадковыя", + "textSuperscript": "Надрадковыя", + "textTable": "Табліца", + "textText": "Тэкст", + "textTheme": "Тэма", + "textTop": "Уверсе", + "textTopLeft": "Уверсе злева", + "textTopRight": "Уверсе справа", + "textTotalRow": "Радок вынікаў", + "textType": "Тып", + "textUnCover": "Адкрыццё", + "textVerticalIn": "Вертыкальна ўнутр", + "textVerticalOut": "Вертыкальна вонкі", + "textWedge": "Па крузе", + "textWipe": "З’яўленне", + "textZoom": "Маштаб", + "textZoomIn": "Павелічэнне", + "textZoomOut": "Памяншэнне", + "textZoomRotate": "Павелічэнне і паварочванне", "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", - "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" + "textTransitions": "Transitions" }, "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", + "mniSlideStandard": "Стандартны (4:3)", + "mniSlideWide": "Шырокаэкранны (16:9)", + "textAbout": "Пра праграму", + "textAddress": "адрас:", + "textApplication": "Дадатак", + "textApplicationSettings": "Налады праграмы", + "textAuthor": "Аўтар", + "textBack": "Назад", + "textCaseSensitive": "Улічваць рэгістр", + "textCentimeter": "Сантыметр", + "textCollaboration": "Сумесная праца", + "textColorSchemes": "Каляровыя схемы", + "textComment": "Каментар", + "textCreated": "Створана", + "textDisableAll": "Адключыць усе", + "textDone": "Завершана", + "textDownload": "Спампаваць", + "textDownloadAs": "Спампаваць як...", + "textEmail": "Адрас электроннай пошты:", + "textEnableAll": "Уключыць усе", + "textFind": "Пошук", + "textFindAndReplace": "Пошук і замена", + "textHelp": "Даведка", + "textHighlight": "Падсвятліць вынікі", + "textInch": "Цаля", + "textLastModified": "Апошняя змена", + "textLastModifiedBy": "Аўтар апошняй змены", + "textLoading": "Загрузка…", + "textLocation": "Размяшчэнне", + "textMacrosSettings": "Налады макрасаў", + "textNoTextFound": "Тэкст не знойдзены", + "textOwner": "Уладальнік", + "textPoint": "Пункт", + "textPoweredBy": "Распрацавана", + "textPresentationInfo": "Інфармацыя аб прэзентацыі", + "textPresentationSettings": "Налады прэзентацыі", + "textPresentationTitle": "Назва прэзентацыі", + "textPrint": "Друк", + "textReplace": "Замяніць", + "textReplaceAll": "Замяніць усе", + "textSearch": "Пошук", + "textSettings": "Налады", + "textShowNotification": "Паказваць апавяшчэнне", + "textSlideSize": "Памер слайда", + "textSpellcheck": "Праверка правапісу", + "textSubject": "Тэма", + "textTitle": "Назва", + "textUnitOfMeasurement": "Адзінкі вымярэння", + "textUploaded": "Запампавана", + "textVersion": "Версія", + "txtScheme1": "Офіс", + "txtScheme10": "Звычайная", + "txtScheme11": "Метро", + "txtScheme12": "Модульная", + "txtScheme13": "Прывабная", + "txtScheme14": "Эркер", + "txtScheme15": "Зыходная", + "txtScheme16": "Папяровая", + "txtScheme17": "Сонцаварот", + "txtScheme18": "Тэхнічная", + "txtScheme19": "Трэк", + "txtScheme2": "Адценні шэрага", + "txtScheme20": "Гарадская", + "txtScheme21": "Яркая", + "txtScheme3": "Апекс", + "txtScheme4": "Аспект", + "txtScheme5": "Афіцыйная", + "txtScheme6": "Адкрытая", + "txtScheme7": "Справядлівасць", + "txtScheme8": "Плынь", + "txtScheme9": "Ліцейня", + "textDarkTheme": "Dark Theme", "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", - "txtScheme21": "Verve", - "txtScheme22": "New Office", - "txtScheme3": "Apex", - "txtScheme4": "Aspect", - "txtScheme5": "Civic", - "txtScheme6": "Concourse", - "txtScheme7": "Equity", - "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "textDarkTheme": "Dark Theme" + "txtScheme22": "New Office" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/ca.json b/apps/presentationeditor/mobile/locale/ca.json index c987d91a9..09e00fbab 100644 --- a/apps/presentationeditor/mobile/locale/ca.json +++ b/apps/presentationeditor/mobile/locale/ca.json @@ -33,13 +33,13 @@ "textTryUndoRedo": "S'han desactivat les funcions desfés/refés per al mode de coedició ràpida.", "textUsers": "Usuaris" }, + "HighlightColorPalette": { + "textNoFill": "Sense emplenament" + }, "ThemeColorPalette": { "textCustomColors": "Colors personalitzats", "textStandartColors": "Colors estàndard", "textThemeColors": "Colors del tema" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -107,9 +107,12 @@ "textHasMacros": "El fitxer conté macros automàtiques.
Les vols 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", "textPaidFeature": "Funció de pagament", "textRemember": "Recorda la meva elecció", + "textReplaceSkipped": "S'ha realitzat la substitució. S'han omès {0} ocurrències.", + "textReplaceSuccess": "S'ha fet la cerca. S'han substituït les coincidències: {0}", "textYes": "Sí", "titleLicenseExp": "La llicència ha caducat", "titleServerVersion": "S'ha actualitzat l'editor", @@ -123,10 +126,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "No tens permís per editar el fitxer." } }, "Error": { @@ -189,7 +189,7 @@ "printTextText": "S'està imprimint el document...", "printTitleText": "S'està imprimint el document", "savePreparingText": "S'està preparant per desar", - "savePreparingTitle": "S'està preparant per desar. Espera...", + "savePreparingTitle": "S'està preparant per desar. Espereu...", "saveTextText": "S'està desant el document...", "saveTitleText": "S'està desant el document", "textLoadingDocument": "S'està carregant el document", @@ -228,6 +228,7 @@ "textLinkTo": "Enllaç a", "textLinkType": "Tipus d'enllaç", "textNextSlide": "Diapositiva següent", + "textOk": "D'acord", "textOther": "Altre", "textPictureFromLibrary": "Imatge de la biblioteca", "textPictureFromURL": "Imatge de l'URL", @@ -240,8 +241,7 @@ "textSlideNumber": "Número de diapositiva", "textTable": "Taula", "textTableSize": "Mida de la taula", - "txtNotUrl": "Aquest camp hauria de ser un URL amb el format \"http://www.exemple.com\"", - "textOk": "Ok" + "txtNotUrl": "Aquest camp hauria de ser un URL amb el format \"http://www.exemple.com\"" }, "Edit": { "notcriticalErrorTitle": "Advertiment", @@ -261,6 +261,7 @@ "textAllCaps": "Tot en majúscules", "textApplyAll": "Aplica-ho a totes les diapositives", "textAuto": "Automàtic", + "textAutomatic": "Automàtic", "textBack": "Enrere", "textBandedColumn": "Columna en bandes", "textBandedRow": "Fila en bandes", @@ -285,6 +286,7 @@ "textDefault": "Text seleccionat", "textDelay": "Retard", "textDeleteSlide": "Suprimeix la diapositiva", + "textDesign": "Disseny", "textDisplay": "Visualització", "textDistanceFromText": "Distància del text", "textDistributeHorizontally": "Distribueix horitzontalment", @@ -336,6 +338,7 @@ "textNoTextFound": "No s'ha trobat el text", "textNotUrl": "Aquest camp hauria de ser un URL amb el format \"http://www.exemple.com\"", "textNumbers": "Nombres", + "textOk": "D'acord", "textOpacity": "Opacitat", "textOptions": "Opcions", "textPictureFromLibrary": "Imatge de la biblioteca", @@ -379,7 +382,6 @@ "textTopLeft": "Superior-esquerra", "textTopRight": "Superior-dreta", "textTotalRow": "Fila de total", - "textTransition": "Transició", "textTransitions": "Transicions", "textType": "Tipus", "textUnCover": "Descobreix", @@ -390,10 +392,7 @@ "textZoom": "Zoom", "textZoomIn": "Amplia", "textZoomOut": "Redueix", - "textZoomRotate": "Amplia i gira", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "Amplia i gira" }, "Settings": { "mniSlideStandard": "Estàndard (4:3)", @@ -410,6 +409,7 @@ "textColorSchemes": "Combinacions de colors", "textComment": "Comentari", "textCreated": "S'ha creat", + "textDarkTheme": "Tema fosc", "textDisableAll": "Inhabilita-ho tot", "textDisableAllMacrosWithNotification": "Inhabilita totes les macros amb notificació", "textDisableAllMacrosWithoutNotification": "Inhabilita totes les macros sense notificació", @@ -472,8 +472,7 @@ "txtScheme6": "Esplanada", "txtScheme7": "Equitat", "txtScheme8": "Flux", - "txtScheme9": "Foneria", - "textDarkTheme": "Dark Theme" + "txtScheme9": "Foneria" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/cs.json b/apps/presentationeditor/mobile/locale/cs.json index e9cec20f9..2ff86dc22 100644 --- a/apps/presentationeditor/mobile/locale/cs.json +++ b/apps/presentationeditor/mobile/locale/cs.json @@ -33,13 +33,13 @@ "textTryUndoRedo": "Funkce Zpět/Znovu jsou vypnuty pro rychlý režim spolupráce.", "textUsers": "Uživatelé" }, + "HighlightColorPalette": { + "textNoFill": "Bez výplně" + }, "ThemeColorPalette": { "textCustomColors": "Vlastní barvy", "textStandartColors": "Standardní barvy", - "textThemeColors": "Barvy tématu" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" + "textThemeColors": "Barvy vzhledu prostředí" } }, "ContextMenu": { @@ -107,9 +107,12 @@ "textHasMacros": "Soubor obsahuje automatická makra.
Opravdu chcete makra spustit?", "textNo": "Ne", "textNoLicenseTitle": "Došlo k dosažení limitu licence", + "textNoTextFound": "Text nebyl nalezen", "textOpenFile": "Zadejte heslo pro otevření souboru", "textPaidFeature": "Placená funkce", "textRemember": "Zapamatovat moji volbu", + "textReplaceSkipped": "Nahrazení bylo provedeno. {0} výskytů bylo přeskočeno.", + "textReplaceSuccess": "Hledání bylo dokončeno. Nahrazeno výskytů: {0}", "textYes": "Ano", "titleLicenseExp": "Platnost licence vypršela", "titleServerVersion": "Editor byl aktualizován", @@ -123,10 +126,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Nemáte oprávnění pro úpravu tohoto dokumentu." } }, "Error": { @@ -182,8 +182,8 @@ "loadImageTitleText": "Načítání obrázku", "loadingDocumentTextText": "Načítání dokumentu…", "loadingDocumentTitleText": "Načítání dokumentu", - "loadThemeTextText": "Načítání motivu vzhledu...", - "loadThemeTitleText": "Načítání motivu vzhledu", + "loadThemeTextText": "Načítání vzhledu prostředí...", + "loadThemeTitleText": "Načítání vzhledu prostředí", "openTextText": "Otevírání dokumentu...", "openTitleText": "Otevírání dokumentu", "printTextText": "Tisknutí dokumentu...", @@ -228,6 +228,7 @@ "textLinkTo": "Odkaz na", "textLinkType": "Typ odkazu", "textNextSlide": "Další snímek", + "textOk": "OK", "textOther": "Jiné", "textPictureFromLibrary": "Obrázek z knihovny", "textPictureFromURL": "Obrázek z adresy URL", @@ -240,8 +241,7 @@ "textSlideNumber": "Číslo snímku", "textTable": "Tabulka", "textTableSize": "Velikost tabulky", - "txtNotUrl": "Toto pole by mělo obsahovat adresu URL ve formátu \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Toto pole by mělo obsahovat adresu URL ve formátu \"http://www.example.com\"" }, "Edit": { "notcriticalErrorTitle": "Varování", @@ -261,6 +261,7 @@ "textAllCaps": "Všechny kapitálky", "textApplyAll": "Použít na všechny snímky", "textAuto": "Automaticky", + "textAutomatic": "Automaticky", "textBack": "Zpět", "textBandedColumn": "Pruhované sloupce", "textBandedRow": "Pruhované řádky", @@ -285,6 +286,7 @@ "textDefault": "Vybraný text", "textDelay": "Prodleva", "textDeleteSlide": "Odstranit snímek", + "textDesign": "Vzhled", "textDisplay": "Zobrazit", "textDistanceFromText": "Vzdálenost od textu", "textDistributeHorizontally": "Rozmístit vodorovně", @@ -336,6 +338,7 @@ "textNoTextFound": "Text nebyl nalezen", "textNotUrl": "Toto pole by mělo obsahovat adresu URL ve formátu \"http://www.example.com\"", "textNumbers": "Čísla", + "textOk": "OK", "textOpacity": "Průhlednost", "textOptions": "Možnosti", "textPictureFromLibrary": "Obrázek z knihovny", @@ -374,26 +377,22 @@ "textSuperscript": "Horní index", "textTable": "Tabulka", "textText": "Text", - "textTheme": "Téma", + "textTheme": "Prostředí", "textTop": "Nahoru", "textTopLeft": "Vlevo nahoře", "textTopRight": "Vpravo nahoře", "textTotalRow": "Součtový řádek", - "textTransition": "Přechod", "textTransitions": "Přechody", "textType": "Typ", "textUnCover": "Odkrýt", "textVerticalIn": "Svislý uvnitř", "textVerticalOut": "Svislý vně", "textWedge": "Konjunkce", - "textWipe": "Vyčistit", + "textWipe": "Setření", "textZoom": "Přiblížení", "textZoomIn": "Přiblížit", "textZoomOut": "Oddálit", - "textZoomRotate": "Přiblížit a otočit", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "Přiblížit a otočit" }, "Settings": { "mniSlideStandard": "Standardní (4:3)", @@ -410,6 +409,7 @@ "textColorSchemes": "Schémata barev", "textComment": "Komentář", "textCreated": "Vytvořeno", + "textDarkTheme": "Tmavý vzhled prostředí", "textDisableAll": "Vypnout vše", "textDisableAllMacrosWithNotification": "Vypnout všechna makra s notifikacemi", "textDisableAllMacrosWithoutNotification": "Vypnout všechna makra bez notifikací", @@ -472,8 +472,7 @@ "txtScheme6": "Hala", "txtScheme7": "Rovnost", "txtScheme8": "Tok", - "txtScheme9": "Slévárna", - "textDarkTheme": "Dark Theme" + "txtScheme9": "Slévárna" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/de.json b/apps/presentationeditor/mobile/locale/de.json index df6fa8227..58bcf073f 100644 --- a/apps/presentationeditor/mobile/locale/de.json +++ b/apps/presentationeditor/mobile/locale/de.json @@ -33,13 +33,13 @@ "textTryUndoRedo": "Die Optionen Rückgängig machen/Wiederholen sind für den Schnellmodus deaktiviert.", "textUsers": "Benutzer" }, + "HighlightColorPalette": { + "textNoFill": "Keine Füllung" + }, "ThemeColorPalette": { "textCustomColors": "Benutzerdefinierte Farben", "textStandartColors": "Standardfarben", "textThemeColors": "Farben des Themas" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -107,9 +107,12 @@ "textHasMacros": "Die Datei beinhaltet automatische Makros.
Möchten Sie Makros ausführen?", "textNo": "Nein", "textNoLicenseTitle": "Lizenzlimit erreicht", + "textNoTextFound": "Der Text wurde nicht gefunden.", "textOpenFile": "Kennwort zum Öffnen der Datei eingeben", "textPaidFeature": "Kostenpflichtige Funktion", "textRemember": "Auswahl speichern", + "textReplaceSkipped": "Der Ersatzvorgang wurde durchgeführt. {0} Vorkommen wurden ausgelassen.", + "textReplaceSuccess": "Der Suchvorgang wurde durchgeführt. Vorkommen wurden ersetzt:{0}", "textYes": "Ja", "titleLicenseExp": "Lizenz ist abgelaufen", "titleServerVersion": "Editor wurde aktualisiert", @@ -123,10 +126,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Sie können diese Datei nicht bearbeiten." } }, "Error": { @@ -228,6 +228,7 @@ "textLinkTo": "Verknüpfen mit", "textLinkType": "Linktyp", "textNextSlide": "Nächste Folie", + "textOk": "OK", "textOther": "Sonstiges", "textPictureFromLibrary": "Bild aus dem Verzeichnis", "textPictureFromURL": "Bild aus URL", @@ -240,8 +241,7 @@ "textSlideNumber": "Foliennummer", "textTable": "Tabelle", "textTableSize": "Tabellengröße", - "txtNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein.", - "textOk": "Ok" + "txtNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein." }, "Edit": { "notcriticalErrorTitle": "Warnung", @@ -261,6 +261,7 @@ "textAllCaps": "Alle Großbuchstaben", "textApplyAll": "Auf alle Folien anwenden", "textAuto": "auto", + "textAutomatic": "Automatisch", "textBack": "Zurück", "textBandedColumn": "Gebänderte Spalten", "textBandedRow": "Gebänderte Zeilen", @@ -285,6 +286,7 @@ "textDefault": "Ausgewählter Text", "textDelay": "Verzögern", "textDeleteSlide": "Folie löschen", + "textDesign": "Design", "textDisplay": "Anzeigen", "textDistanceFromText": "Abstand vom Text", "textDistributeHorizontally": "Horizontal verteilen", @@ -336,6 +338,7 @@ "textNoTextFound": "Der Text wurde nicht gefunden", "textNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein.", "textNumbers": "Nummern", + "textOk": "OK", "textOpacity": "Undurchsichtigkeit", "textOptions": "Optionen", "textPictureFromLibrary": "Bild aus dem Verzeichnis", @@ -379,7 +382,6 @@ "textTopLeft": "Oben links", "textTopRight": "Oben rechts", "textTotalRow": "Ergebniszeile", - "textTransition": "Übergang", "textTransitions": "Übergänge", "textType": "Typ", "textUnCover": "Aufdecken", @@ -390,10 +392,7 @@ "textZoom": "Zoom", "textZoomIn": "Vergrößern", "textZoomOut": "Verkleinern", - "textZoomRotate": "Vergrößern und drehen", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "Vergrößern und drehen" }, "Settings": { "mniSlideStandard": "Standard (4:3)", @@ -410,6 +409,7 @@ "textColorSchemes": "Farbschemata", "textComment": "Kommentar", "textCreated": "Erstellt", + "textDarkTheme": "Dunkelmodus", "textDisableAll": "Alle deaktivieren", "textDisableAllMacrosWithNotification": "Alle Makros mit Benachrichtigung deaktivieren", "textDisableAllMacrosWithoutNotification": "Alle Makros ohne Benachrichtigung deaktivieren", @@ -472,8 +472,7 @@ "txtScheme6": "Konzertsaal", "txtScheme7": "Eigenkapital", "txtScheme8": "Fluss", - "txtScheme9": "Gießerei", - "textDarkTheme": "Dark Theme" + "txtScheme9": "Gießerei" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/el.json b/apps/presentationeditor/mobile/locale/el.json index cef1d53ec..664da091a 100644 --- a/apps/presentationeditor/mobile/locale/el.json +++ b/apps/presentationeditor/mobile/locale/el.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": "Ο συντάκτης ενημερώθηκε", @@ -123,10 +126,7 @@ "warnLicenseUsersExceeded": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.
Επικοινωνήστε με τον διαχειριστή σας για περισσότερες πληροφορίες.", "warnNoLicense": "Φτάσατε το όριο ταυτόχρονων συνδέσεων σε %1 συντάκτες. Το έγγραφο θα ανοίξει μόνο για ανάγνωση. Επικοινωνήστε με την ομάδα πωλήσεων %1 για τους όρους αναβάθμισης.", "warnNoLicenseUsers": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.
Επικοινωνήστε με την ομάδα πωλήσεων %1 για προσωπικούς όρους αναβάθμισης.", - "warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας του αρχείου.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας του αρχείου." } }, "Error": { @@ -228,6 +228,7 @@ "textLinkTo": "Σύνδεσμος σε", "textLinkType": "Τύπος Συνδέσμου", "textNextSlide": "Επόμενη Διαφάνεια", + "textOk": "Εντάξει", "textOther": "Άλλο", "textPictureFromLibrary": "Εικόνα από Βιβλιοθήκη", "textPictureFromURL": "Εικόνα από σύνδεσμο", @@ -240,8 +241,7 @@ "textSlideNumber": "Αριθμός Διαφάνειας", "textTable": "Πίνακας", "textTableSize": "Μέγεθος Πίνακα", - "txtNotUrl": "Αυτό το πεδίο πρέπει να είναι μια διεύθυνση URL με τη μορφή «http://www.example.com»", - "textOk": "Ok" + "txtNotUrl": "Αυτό το πεδίο πρέπει να είναι μια διεύθυνση URL με τη μορφή «http://www.example.com»" }, "Edit": { "notcriticalErrorTitle": "Προειδοποίηση", @@ -261,6 +261,7 @@ "textAllCaps": "Όλα Κεφαλαία", "textApplyAll": "Εφαρμογή σε Όλες τις Διαφάνειες", "textAuto": "Αυτόματα", + "textAutomatic": "Αυτόματο", "textBack": "Πίσω", "textBandedColumn": "Στήλη Εναλλαγής Σκίασης", "textBandedRow": "Γραμμή Εναλλαγής Σκίασης", @@ -285,6 +286,7 @@ "textDefault": "Επιλεγμένο κείμενο", "textDelay": "Καθυστέρηση", "textDeleteSlide": "Διαγραφή Διαφάνειας", + "textDesign": "Σχεδίαση", "textDisplay": "Προβολή", "textDistanceFromText": "Απόσταση Από το Κείμενο", "textDistributeHorizontally": "Οριζόντια Κατανομή", @@ -336,6 +338,7 @@ "textNoTextFound": "Δεν βρέθηκε το κείμενο", "textNotUrl": "Αυτό το πεδίο πρέπει να είναι μια διεύθυνση URL με τη μορφή «http://www.example.com»", "textNumbers": "Αριθμοί", + "textOk": "Εντάξει", "textOpacity": "Αδιαφάνεια", "textOptions": "Επιλογές", "textPictureFromLibrary": "Εικόνα από Βιβλιοθήκη", @@ -379,7 +382,6 @@ "textTopLeft": "Πάνω-Αριστερά", "textTopRight": "Πάνω-Δεξιά", "textTotalRow": "Συνολική Γραμμή", - "textTransition": "Μετάβαση", "textTransitions": "Μεταβάσεις", "textType": "Τύπος", "textUnCover": "Αποκάλυψη", @@ -390,10 +392,7 @@ "textZoom": "Εστίαση", "textZoomIn": "Μεγέθυνση", "textZoomOut": "Σμίκρυνση", - "textZoomRotate": "Εστίαση και Περιστροφή", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "Εστίαση και Περιστροφή" }, "Settings": { "mniSlideStandard": "Τυπικό (4:3)", @@ -410,6 +409,7 @@ "textColorSchemes": "Χρωματικοί Συνδυασμοί", "textComment": "Σχόλιο", "textCreated": "Δημιουργήθηκε", + "textDarkTheme": "Σκούρο Θέμα", "textDisableAll": "Απενεργοποίηση Όλων", "textDisableAllMacrosWithNotification": "Απενεργοποίηση όλων των μακροεντολών με ειδοποίηση", "textDisableAllMacrosWithoutNotification": "Απενεργοποίηση όλων των μακροεντολών χωρίς ειδοποίηση", @@ -472,8 +472,7 @@ "txtScheme6": "Συνάθροιση", "txtScheme7": "Μετοχή", "txtScheme8": "Ροή", - "txtScheme9": "Χυτήριο", - "textDarkTheme": "Dark Theme" + "txtScheme9": "Χυτήριο" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/en.json b/apps/presentationeditor/mobile/locale/en.json index 2c1d1073d..61719ddc8 100644 --- a/apps/presentationeditor/mobile/locale/en.json +++ b/apps/presentationeditor/mobile/locale/en.json @@ -122,7 +122,7 @@ "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", + "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.", diff --git a/apps/presentationeditor/mobile/locale/es.json b/apps/presentationeditor/mobile/locale/es.json index b927c1d7a..b8cfbba7c 100644 --- a/apps/presentationeditor/mobile/locale/es.json +++ b/apps/presentationeditor/mobile/locale/es.json @@ -3,7 +3,7 @@ "textAbout": "Acerca de", "textAddress": "Dirección", "textBack": "Atrás", - "textEmail": "E-mail", + "textEmail": "Correo", "textPoweredBy": "Con tecnología de", "textTel": "Tel", "textVersion": "Versión " @@ -11,8 +11,8 @@ "Common": { "Collaboration": { "notcriticalErrorTitle": "Advertencia", - "textAddComment": "Añadir comentario", - "textAddReply": "Añadir respuesta", + "textAddComment": "Agregar comentario", + "textAddReply": "Agregar respuesta", "textBack": "Atrás", "textCancel": "Cancelar", "textCollaboration": "Colaboración", @@ -33,19 +33,19 @@ "textTryUndoRedo": "Las funciones Deshacer/Rehacer están desactivadas en el modo de co-edición rápido.", "textUsers": "Usuarios" }, + "HighlightColorPalette": { + "textNoFill": "Sin relleno" + }, "ThemeColorPalette": { "textCustomColors": "Colores personalizados", "textStandartColors": "Colores estándar", "textThemeColors": "Colores de tema" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { "errorCopyCutPaste": "Las acciones de copiar, cortar y pegar utilizando el menú contextual se realizarán sólo dentro del archivo actual.", - "menuAddComment": "Añadir comentario", - "menuAddLink": "Añadir enlace ", + "menuAddComment": "Agregar comentario", + "menuAddLink": "Agregar enlace ", "menuCancel": "Cancelar", "menuDelete": "Eliminar", "menuDeleteTable": "Eliminar tabla", @@ -75,8 +75,8 @@ "notcriticalErrorTitle": "Advertencia", "SDK": { "Chart": "Gráfico", - "Click to add first slide": "Haga clic para añadir la primera diapositiva", - "Click to add notes": "Haga clic para añadir notas", + "Click to add first slide": "Haga clic para agregar la primera diapositiva", + "Click to add notes": "Haga clic para agregar notas", "ClipArt": "Imagen prediseñada", "Date and time": "Fecha y hora", "Diagram": "Diagrama", @@ -107,9 +107,12 @@ "textHasMacros": "El archivo contiene macros automáticas.
¿Quiere ejecutar macros?", "textNo": "No", "textNoLicenseTitle": "Se ha alcanzado el límite de licencia", + "textNoTextFound": "Texto no encontrado", "textOpenFile": "Introduzca la contraseña para abrir el archivo", "textPaidFeature": "Característica de pago", "textRemember": "Recordar mi elección", + "textReplaceSkipped": "Se ha realizado la sustitución. Se han omitido {0} ocurrencias.", + "textReplaceSuccess": "Se ha realizado la búsqueda. Ocurrencias reemplazadas: {0}", "textYes": "Sí", "titleLicenseExp": "Licencia ha expirado", "titleServerVersion": "Editor ha sido actualizado", @@ -123,10 +126,7 @@ "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.", "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "No tiene permiso para editar el archivo." } }, "Error": { @@ -207,7 +207,7 @@ "View": { "Add": { "notcriticalErrorTitle": "Advertencia", - "textAddLink": "Añadir enlace ", + "textAddLink": "Agregar enlace ", "textAddress": "Dirección", "textBack": "Atrás", "textCancel": "Cancelar", @@ -228,6 +228,7 @@ "textLinkTo": "Enlace a", "textLinkType": "Tipo de enlace", "textNextSlide": "Diapositiva siguiente", + "textOk": "Aceptar", "textOther": "Otro", "textPictureFromLibrary": "Imagen desde biblioteca", "textPictureFromURL": "Imagen desde URL", @@ -240,15 +241,14 @@ "textSlideNumber": "Número de diapositiva", "textTable": "Tabla", "textTableSize": "Tamaño de tabla", - "txtNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"" }, "Edit": { "notcriticalErrorTitle": "Advertencia", "textActualSize": "Tamaño actual", - "textAddCustomColor": "Añadir color personalizado", + "textAddCustomColor": "Agregar color personalizado", "textAdditional": "Adicional", - "textAdditionalFormatting": "Formateo adicional", + "textAdditionalFormatting": "Formato adicional", "textAddress": "Dirección", "textAfter": "Después", "textAlign": "Alinear", @@ -261,6 +261,7 @@ "textAllCaps": "Mayúsculas", "textApplyAll": "Aplicar a todas las diapositivas", "textAuto": "Auto", + "textAutomatic": "Automático", "textBack": "Atrás", "textBandedColumn": "Columna con bandas", "textBandedRow": "Fila con bandas", @@ -285,6 +286,7 @@ "textDefault": "Texto seleccionado", "textDelay": "Retraso", "textDeleteSlide": "Eliminar diapositiva", + "textDesign": "Diseño", "textDisplay": "Mostrar", "textDistanceFromText": "Distancia desde el texto", "textDistributeHorizontally": "Distribuir horizontalmente", @@ -336,6 +338,7 @@ "textNoTextFound": "Texto no encontrado", "textNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"", "textNumbers": "Números", + "textOk": "Aceptar", "textOpacity": "Opacidad ", "textOptions": "Opciones", "textPictureFromLibrary": "Imagen desde biblioteca", @@ -379,7 +382,6 @@ "textTopLeft": "Arriba a la izquierda", "textTopRight": "Arriba a la derecha", "textTotalRow": "Fila de totales", - "textTransition": "Transición", "textTransitions": "Transiciones", "textType": "Tipo", "textUnCover": "Revelar", @@ -390,10 +392,7 @@ "textZoom": "Zoom", "textZoomIn": "Acercar", "textZoomOut": "Alejar", - "textZoomRotate": "Zoom y giro", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "Zoom y giro" }, "Settings": { "mniSlideStandard": "Estándar (4:3)", @@ -410,13 +409,14 @@ "textColorSchemes": "Esquemas de color", "textComment": "Comentario", "textCreated": "Creado", + "textDarkTheme": "Tema oscuro", "textDisableAll": "Deshabilitar todo", "textDisableAllMacrosWithNotification": "Deshabilitar todas las macros con notificación", "textDisableAllMacrosWithoutNotification": "Deshabilitar todas las macros sin notificación", "textDone": "Listo", "textDownload": "Descargar", "textDownloadAs": "Descargar como...", - "textEmail": "email: ", + "textEmail": "correo: ", "textEnableAll": "Habilitar todo", "textEnableAllMacrosWithoutNotification": "Habilitar todas las macros sin notificación", "textFind": "Buscar", @@ -472,8 +472,7 @@ "txtScheme6": "Concurrencia", "txtScheme7": "Equidad ", "txtScheme8": "Flujo", - "txtScheme9": "Fundición", - "textDarkTheme": "Dark Theme" + "txtScheme9": "Fundición" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/fr.json b/apps/presentationeditor/mobile/locale/fr.json index fbb0da356..7ba089451 100644 --- a/apps/presentationeditor/mobile/locale/fr.json +++ b/apps/presentationeditor/mobile/locale/fr.json @@ -33,13 +33,13 @@ "textTryUndoRedo": "Les fonctions Annuler/Rétablir sont désactivées pour le mode de co-édition rapide.", "textUsers": "Utilisateurs" }, + "HighlightColorPalette": { + "textNoFill": "Pas de remplissage" + }, "ThemeColorPalette": { "textCustomColors": "Couleurs personnalisées", "textStandartColors": "Couleurs standard", "textThemeColors": "Couleurs de thème" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -107,9 +107,12 @@ "textHasMacros": "Le fichier contient des macros automatiques.
Voulez-vous exécuter les macros?", "textNo": "Non", "textNoLicenseTitle": "La limite de la licence est atteinte", + "textNoTextFound": "Texte non trouvé", "textOpenFile": "Entrer le mot de passe pour ouvrir le fichier", "textPaidFeature": "Fonction payante", "textRemember": "Se souvenir de mon choix", + "textReplaceSkipped": "Le remplacement a été effectué. {0} occurrences ont été sautées.", + "textReplaceSuccess": "La recherche a été effectuée. Occurrences remplacées : {0}", "textYes": "Oui", "titleLicenseExp": "Licence expirée", "titleServerVersion": "L'éditeur est mis à jour", @@ -123,10 +126,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Vous n'avez pas la permission de modifier ce fichier." } }, "Error": { @@ -228,6 +228,7 @@ "textLinkTo": "Lien vers", "textLinkType": "Type de lien", "textNextSlide": "Diapositive suivante", + "textOk": "Accepter", "textOther": "Autre", "textPictureFromLibrary": "Image depuis la bibliothèque", "textPictureFromURL": "Image depuis URL", @@ -240,8 +241,7 @@ "textSlideNumber": "Numéro de diapositive", "textTable": "Tableau", "textTableSize": "Taille du tableau", - "txtNotUrl": "Ce champ doit contenir une URL au format \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Ce champ doit contenir une URL au format \"http://www.example.com\"" }, "Edit": { "notcriticalErrorTitle": "Avertissement", @@ -261,6 +261,7 @@ "textAllCaps": "Tout en majuscules", "textApplyAll": "Appliquer à toutes les diapositives", "textAuto": "Auto", + "textAutomatic": "Automatique", "textBack": "Retour", "textBandedColumn": "Colonne à couleur alternée", "textBandedRow": "Ligne à couleur alternée", @@ -285,6 +286,7 @@ "textDefault": "Texte sélectionné", "textDelay": "Retard", "textDeleteSlide": "Supprimer la diapositive", + "textDesign": "Design", "textDisplay": "Afficher", "textDistanceFromText": "Distance du texte", "textDistributeHorizontally": "Distribuer horizontalement", @@ -336,6 +338,7 @@ "textNoTextFound": "Le texte est introuvable", "textNotUrl": "Ce champ doit contenir une URL au format \"http://www.example.com\"", "textNumbers": "Numérotation", + "textOk": "Accepter", "textOpacity": "Opacité", "textOptions": "Options", "textPictureFromLibrary": "Image depuis la bibliothèque", @@ -379,7 +382,6 @@ "textTopLeft": "Haut à gauche", "textTopRight": "Haut à droite", "textTotalRow": "Ligne de total", - "textTransition": "Transition", "textTransitions": "Transitions", "textType": "Type", "textUnCover": "Découvrir", @@ -390,10 +392,7 @@ "textZoom": "Zoom", "textZoomIn": "Zoom avant", "textZoomOut": "Zoom arrière", - "textZoomRotate": "Zoom et rotation", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "Zoom et rotation" }, "Settings": { "mniSlideStandard": "Standard (4:3)", @@ -410,6 +409,7 @@ "textColorSchemes": "Jeux de couleurs", "textComment": "Commentaire", "textCreated": "Créé", + "textDarkTheme": "Thème sombre", "textDisableAll": "Désactiver tout", "textDisableAllMacrosWithNotification": "Désactiver toutes les macros avec notification", "textDisableAllMacrosWithoutNotification": "Désactiver toutes les macros sans notification", @@ -472,8 +472,7 @@ "txtScheme6": "Rotonde", "txtScheme7": "Capitaux", "txtScheme8": "Flux", - "txtScheme9": "Fonderie", - "textDarkTheme": "Dark Theme" + "txtScheme9": "Fonderie" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/gl.json b/apps/presentationeditor/mobile/locale/gl.json index d1c20a8f9..c86417a12 100644 --- a/apps/presentationeditor/mobile/locale/gl.json +++ b/apps/presentationeditor/mobile/locale/gl.json @@ -33,13 +33,13 @@ "textTryUndoRedo": "As funcións Desfacer/Refacer están activadas para o modo de coedición rápido.", "textUsers": "Usuarios" }, + "HighlightColorPalette": { + "textNoFill": "Sen encher" + }, "ThemeColorPalette": { "textCustomColors": "Cores personalizadas", "textStandartColors": "Cores estándar", "textThemeColors": "Cores do tema" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -107,9 +107,12 @@ "textHasMacros": "O ficheiro contén macros automáticas.
Quere executar macros?", "textNo": "Non", "textNoLicenseTitle": "Alcanzouse o límite da licenza", + "textNoTextFound": "Texto non atopado", "textOpenFile": "Insira o contrasinal para abrir o ficheiro", "textPaidFeature": "Característica de pago", "textRemember": "Lembrar a miña escolla", + "textReplaceSkipped": "A substitución foi realizada. {0} ocorrencias foron ignoradas.", + "textReplaceSuccess": "A busca foi realizada. Ocorrencias substituídas: {0}", "textYes": "Si", "titleLicenseExp": "A licenza expirou", "titleServerVersion": "Editor actualizado", @@ -123,10 +126,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Non ten permiso para editar o ficheiro." } }, "Error": { @@ -228,6 +228,7 @@ "textLinkTo": "Vincular a", "textLinkType": "Tipo de ligazón", "textNextSlide": "Seguinte diapositiva", + "textOk": "Aceptar", "textOther": "Outro", "textPictureFromLibrary": "Imaxe da biblioteca", "textPictureFromURL": "Imaxe da URL", @@ -240,8 +241,7 @@ "textSlideNumber": "Número da diapositiva", "textTable": "Táboa", "textTableSize": "Tamaño da táboa", - "txtNotUrl": "Este campo debe ser unha URL no formato \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Este campo debe ser unha URL no formato \"http://www.example.com\"" }, "Edit": { "notcriticalErrorTitle": "Aviso", @@ -261,6 +261,7 @@ "textAllCaps": "Todo en maiúsculas", "textApplyAll": "Aplicar a todas as diapositivas", "textAuto": "Automático", + "textAutomatic": "Automático", "textBack": "Volver", "textBandedColumn": "Columna con bandas", "textBandedRow": "Fila con bandas", @@ -285,6 +286,7 @@ "textDefault": "Texto seleccionado", "textDelay": "Atraso", "textDeleteSlide": "Eliminar diapositiva", + "textDesign": "Deseño", "textDisplay": "Amosar", "textDistanceFromText": "Distancia desde o texto", "textDistributeHorizontally": "Distribuír horizontalmente", @@ -336,6 +338,7 @@ "textNoTextFound": "Texto non atopado", "textNotUrl": "Este campo debe ser unha URL no formato \"http://www.example.com\"", "textNumbers": "Números", + "textOk": "Aceptar", "textOpacity": "Opacidade", "textOptions": "Opcións", "textPictureFromLibrary": "Imaxe da biblioteca", @@ -379,7 +382,6 @@ "textTopLeft": "Parte superior esquerda", "textTopRight": "Parte superior dereita", "textTotalRow": "Fila total", - "textTransition": "Transición", "textTransitions": "Transicións", "textType": "Tipo", "textUnCover": "Rebelar", @@ -390,10 +392,7 @@ "textZoom": "Ampliar", "textZoomIn": "Ampliar", "textZoomOut": "Alonxar", - "textZoomRotate": "Ampliar e rotación", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "Ampliar e rotación" }, "Settings": { "mniSlideStandard": "Estándar (4:3)", @@ -410,6 +409,7 @@ "textColorSchemes": "Esquemas de cor", "textComment": "Comentario", "textCreated": "Creado", + "textDarkTheme": "Tema escuro", "textDisableAll": "Desactivar todo", "textDisableAllMacrosWithNotification": "Desactivar todas as macros con notificación", "textDisableAllMacrosWithoutNotification": "Desactivar todas as macros sen notificación", @@ -472,8 +472,7 @@ "txtScheme6": "Concorrencia", "txtScheme7": "Equidade", "txtScheme8": "Fluxo", - "txtScheme9": "Fundición", - "textDarkTheme": "Dark Theme" + "txtScheme9": "Fundición" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/hu.json b/apps/presentationeditor/mobile/locale/hu.json index f6d9104fc..c74497ae9 100644 --- a/apps/presentationeditor/mobile/locale/hu.json +++ b/apps/presentationeditor/mobile/locale/hu.json @@ -33,13 +33,13 @@ "textTryUndoRedo": "A Visszavonás/Újra funkciók le vannak tiltva a Gyors társszerkesztés módban.", "textUsers": "Felhasználók" }, + "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": { @@ -107,9 +107,12 @@ "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ó", "textOpenFile": "Írja be a megnyitáshoz szükséges jelszót", "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", @@ -123,10 +126,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Nincs engedélye a fájl szerkesztésére." } }, "Error": { @@ -228,6 +228,7 @@ "textLinkTo": "Hivatkozás erre", "textLinkType": "Hivatkozás típusa", "textNextSlide": "Következő dia", + "textOk": "OK", "textOther": "Egyéb", "textPictureFromLibrary": "Kép a könyvtárból", "textPictureFromURL": "Kép URL-en keresztül", @@ -240,8 +241,7 @@ "textSlideNumber": "Dia száma", "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" + "txtNotUrl": "Ennek a mezőnek URL formátumúnak kell lennie, pl.: „http://www.pelda.hu”" }, "Edit": { "notcriticalErrorTitle": "Figyelmeztetés", @@ -261,6 +261,7 @@ "textAllCaps": "Csupa nagybetűs", "textApplyAll": "Minden diára alkalmaz", "textAuto": "Automatikus", + "textAutomatic": "Automatikus", "textBack": "Vissza", "textBandedColumn": "Sávos oszlop", "textBandedRow": "Sávos sor", @@ -285,6 +286,7 @@ "textDefault": "Kiválasztott szöveg", "textDelay": "Késleltetés", "textDeleteSlide": "Dia törlése", + "textDesign": "Dizájn", "textDisplay": "Megjelenít", "textDistanceFromText": "Távolság a szövegtől", "textDistributeHorizontally": "Eloszlás vízszintesen", @@ -336,6 +338,7 @@ "textNoTextFound": "A szöveg nem található", "textNotUrl": "Ennek a mezőnek URL formátumúnak kell lennie, pl.: „http://www.pelda.hu”", "textNumbers": "Számok", + "textOk": "OK", "textOpacity": "Áttetszőség", "textOptions": "Beállítások", "textPictureFromLibrary": "Kép a könyvtárból", @@ -379,7 +382,6 @@ "textTopLeft": "Bal felső", "textTopRight": "Jobb felső", "textTotalRow": "Összes sor", - "textTransition": "Átmenet", "textTransitions": "Átmenetek", "textType": "Típus", "textUnCover": "Felfed", @@ -390,10 +392,7 @@ "textZoom": "Zoom", "textZoomIn": "Nagyítás", "textZoomOut": "Kicsinyítés", - "textZoomRotate": "Zoom és elforgatás", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "Zoom és elforgatás" }, "Settings": { "mniSlideStandard": "Sztenderd (4:3)", @@ -410,6 +409,7 @@ "textColorSchemes": "Szín sémák", "textComment": "Megjegyzés", "textCreated": "Létrehozva", + "textDarkTheme": "Sötét téma", "textDisableAll": "Összes letiltása", "textDisableAllMacrosWithNotification": "Tiltsa le az összes makrót értesítéssel", "textDisableAllMacrosWithoutNotification": "Tiltsa le az összes makrót értesítés nélkül", @@ -472,8 +472,7 @@ "txtScheme6": "Előcsarnok", "txtScheme7": "Saját tőke", "txtScheme8": "Folyam", - "txtScheme9": "Öntöde", - "textDarkTheme": "Dark Theme" + "txtScheme9": "Öntöde" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/it.json b/apps/presentationeditor/mobile/locale/it.json index acef63b0a..b14c904fa 100644 --- a/apps/presentationeditor/mobile/locale/it.json +++ b/apps/presentationeditor/mobile/locale/it.json @@ -33,13 +33,13 @@ "textTryUndoRedo": "Le funzioni Annulla/Ripeti sono disattivate nella modalità rapida di modifica collaborativa.", "textUsers": "Utenti" }, + "HighlightColorPalette": { + "textNoFill": "Nessun riempimento" + }, "ThemeColorPalette": { "textCustomColors": "Colori personalizzati", "textStandartColors": "Colori standard", "textThemeColors": "Colori del tema" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -107,9 +107,12 @@ "textHasMacros": "Il file contiene delle macro automatiche.
Vuoi eseguirle?", "textNo": "No", "textNoLicenseTitle": "È stato raggiunto il limite della licenza", + "textNoTextFound": "Testo non trovato", "textOpenFile": "Inserisci la password per aprire il file", "textPaidFeature": "Funzionalità a pagamento", "textRemember": "Ricordare la mia scelta", + "textReplaceSkipped": "La sostituzione è stata effettuata. {0} casi sono stati saltati.", + "textReplaceSuccess": "La ricerca è stata effettuata. Casi sostituiti: {0}", "textYes": "Sì", "titleLicenseExp": "La licenza è scaduta", "titleServerVersion": "L'editor è stato aggiornato", @@ -123,10 +126,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Non hai il permesso di modificare il file." } }, "Error": { @@ -228,6 +228,7 @@ "textLinkTo": "Link a", "textLinkType": "Tipo di link", "textNextSlide": "Diapositiva successiva", + "textOk": "OK", "textOther": "Altro", "textPictureFromLibrary": "Immagine dalla libreria", "textPictureFromURL": "Immagine dall'URL", @@ -240,8 +241,7 @@ "textSlideNumber": "Numero di diapositiva", "textTable": "Tabella", "textTableSize": "Dimensione di tabella", - "txtNotUrl": "Questo campo deve essere un URL nel formato \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Questo campo deve essere un URL nel formato \"http://www.example.com\"" }, "Edit": { "notcriticalErrorTitle": "Avvertimento", @@ -261,6 +261,7 @@ "textAllCaps": "Tutto maiuscolo", "textApplyAll": "Applica a tutte le diapositive", "textAuto": "Auto", + "textAutomatic": "Automatico", "textBack": "Indietro", "textBandedColumn": "Colonne a bande", "textBandedRow": "Righe a bande", @@ -285,6 +286,7 @@ "textDefault": "Testo selezionato", "textDelay": "Ritardo", "textDeleteSlide": "Eliminare diapositiva", + "textDesign": "Design", "textDisplay": "Visualizzare", "textDistanceFromText": "Distanza dal testo", "textDistributeHorizontally": "Distribuire orizzontalmente", @@ -336,6 +338,7 @@ "textNoTextFound": "Testo non trovato", "textNotUrl": "Questo campo deve essere un URL nel formato \"http://www.example.com\"", "textNumbers": "Numeri", + "textOk": "OK", "textOpacity": "Opacità", "textOptions": "Opzioni", "textPictureFromLibrary": "Immagine dalla libreria", @@ -379,7 +382,6 @@ "textTopLeft": "In alto a sinistra", "textTopRight": "In alto a destra", "textTotalRow": "Riga del totale", - "textTransition": "Transizione", "textTransitions": "Transizioni", "textType": "Tipo", "textUnCover": "Scoprire", @@ -390,10 +392,7 @@ "textZoom": "Zoom", "textZoomIn": "Ingrandire", "textZoomOut": "Rimpicciolire", - "textZoomRotate": "Zoom e rotazione", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "Zoom e rotazione" }, "Settings": { "mniSlideStandard": "Standard (4:3)", @@ -410,6 +409,7 @@ "textColorSchemes": "Schemi di colori", "textComment": "Commento", "textCreated": "Creato", + "textDarkTheme": "‎Tema scuro‎", "textDisableAll": "Disabilitare tutto", "textDisableAllMacrosWithNotification": "Disattivare tutte le macro con notifica", "textDisableAllMacrosWithoutNotification": "Disattivare tutte le macro senza notifica", @@ -472,8 +472,7 @@ "txtScheme6": "Concorso", "txtScheme7": "Equità", "txtScheme8": "Flusso", - "txtScheme9": "Fonderia", - "textDarkTheme": "Dark Theme" + "txtScheme9": "Fonderia" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/ja.json b/apps/presentationeditor/mobile/locale/ja.json index 5cc5a35bd..66fac9361 100644 --- a/apps/presentationeditor/mobile/locale/ja.json +++ b/apps/presentationeditor/mobile/locale/ja.json @@ -33,13 +33,13 @@ "textTryUndoRedo": "高速で共同な編集モードでは、元に戻す/やり直し機能が無効になります。", "textUsers": "ユーザー" }, + "HighlightColorPalette": { + "textNoFill": "塗りつぶしなし" + }, "ThemeColorPalette": { "textCustomColors": "ユーザー設定の色", "textStandartColors": "標準の色", "textThemeColors": "テーマの色" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -107,26 +107,26 @@ "textHasMacros": "ファイルには自動マクロが含まれています。
マクロを実行しますか?", "textNo": "いいえ", "textNoLicenseTitle": "ライセンス制限に達しました", + "textNoTextFound": "テキストが見つかりませんでした", "textOpenFile": "ファイルを開くためにパスワードを入力してください", "textPaidFeature": "有料機能", "textRemember": "選択を覚える", + "textReplaceSkipped": "置換が完了しました。{0}つスキップされました。", + "textReplaceSuccess": "検索が完了しました。{0}つが置換されました。", "textYes": "はい", - "titleLicenseExp": "ライセンスの有効期間が満期した", + "titleLicenseExp": "ライセンスの有効期限が切れています", "titleServerVersion": "編集者が更新された", "titleUpdateVersion": "バージョンが変更されました", "txtIncorrectPwd": "パスワードが間違い", "txtProtected": "パスワードを入力してファイルを開くと、現在のパスワードがリセットされます", "warnLicenseExceeded": "%1エディター 時接続数の制限に達しました。この文書が見るだけのために開かれる。詳細についてはアドミニストレータを連絡してください。", - "warnLicenseExp": "ライセンスが満期しました。ライセンスを更新し、ページを再びお読み込みしてください。", - "warnLicenseLimitedNoAccess": "ライセンスが満期しました。編集の汎関数にアクセスがありません。アドミンに連絡してください。", + "warnLicenseExp": "ライセンスの有効期限が切れています。ライセンスを更新してページをリロードしてください。", + "warnLicenseLimitedNoAccess": "ライセンスの有効期限が切れています。ドキュメント編集機能にアクセスできません。管理者にご連絡ください。", "warnLicenseLimitedRenewed": "ライセンスが書き換えすべきです。文書を変更ためのアクセスが制限付きされました。フル アクセスを再接続ためにアドミニストレータを連絡してください。", "warnLicenseUsersExceeded": "%1エディターのユーザー制限に達しました。 詳細についてはアドミニストレータを連絡してください。", "warnNoLicense": "%1エディター 時接続数の制限に達しました。この文書が見るだけのために開かれる。個人的なアップグレード条件については、%1営業チームを連絡してください。", "warnNoLicenseUsers": "%1エディターのユーザー制限に達しました。 個人的なアップグレード条件については、%1営業チームを連絡してください。", - "warnProcessRightsChange": "ファイルを編集する権限がありません!", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "ファイルを編集する権限がありません!" } }, "Error": { @@ -154,7 +154,7 @@ "errorUpdateVersionOnDisconnect": "インターネットが再接続され、ファイルのバージョンが更新されました。
作業を続ける前に、ファイルをダウンロードするか、内容をコピーして、思わぬ変更があった際にも対処できるようにしてから、このページを再読み込みしてください。", "errorUserDrop": "現在、このファイルにはアクセスできません。", "errorUsersExceed": "料金プランによってユーザ数を超過しました。", - "errorViewerDisconnect": "接続が失われました。あなたはまだ文書を見えるけど,
接続が復元されたしページが再読み込まれたまで文書をダウンロードと印刷できません。", + "errorViewerDisconnect": "接続が失われました。文書の表示は可能ですが、
再度接続されてページが再ロードされるまで、ダウンロードまたは印刷することはできません。", "notcriticalErrorTitle": " 警告", "openErrorText": "ファイルを開く際にエラーが発生しました。", "saveErrorText": "ファイルの保存中にエラーが発生された", @@ -228,6 +228,7 @@ "textLinkTo": "リンク先", "textLinkType": "リンクのタイプ", "textNextSlide": "次のスライド", + "textOk": "OK", "textOther": "その他", "textPictureFromLibrary": "ライブラリからのイメージ", "textPictureFromURL": "URLからのイメージ", @@ -240,8 +241,7 @@ "textSlideNumber": "スライド番号", "textTable": "表", "textTableSize": "表のサイズ", - "txtNotUrl": "このフィールドは、「http://www.example.com」の形式のURLである必要がある", - "textOk": "Ok" + "txtNotUrl": "このフィールドは、「http://www.example.com」の形式のURLである必要がある" }, "Edit": { "notcriticalErrorTitle": " 警告", @@ -261,6 +261,7 @@ "textAllCaps": "全ての大字", "textApplyAll": "全てのスライドに適用する", "textAuto": "自動", + "textAutomatic": "自動", "textBack": "戻る", "textBandedColumn": "列を交代する", "textBandedRow": "行を交代する", @@ -285,6 +286,7 @@ "textDefault": "選択したテキスト", "textDelay": "遅延", "textDeleteSlide": "スタンドを削除する", + "textDesign": "デザイン", "textDisplay": "表示する", "textDistanceFromText": "テキストからの間隔", "textDistributeHorizontally": "左右に整列", @@ -292,7 +294,7 @@ "textDone": "完了", "textDoubleStrikethrough": "二重取り消し線", "textDuplicateSlide": "スライドの複製", - "textDuration": "期間", + "textDuration": "継続時間", "textEditLink": "リンクを編集する", "textEffect": "効果", "textEffects": "効果", @@ -336,6 +338,7 @@ "textNoTextFound": "テキストが見つかりませんでした", "textNotUrl": "このフィールドは、「http://www.example.com」の形式のURLである必要があります。", "textNumbers": "数", + "textOk": "OK", "textOpacity": "不透明度", "textOptions": "設定", "textPictureFromLibrary": "ライブラリからのイメージ", @@ -379,8 +382,7 @@ "textTopLeft": "左上", "textTopRight": "右上", "textTotalRow": "合計行", - "textTransition": "切り替え​​", - "textTransitions": "遷移", + "textTransitions": "切り替え効果", "textType": "タイプ", "textUnCover": "アンカバー", "textVerticalIn": "縦(中)", @@ -390,10 +392,7 @@ "textZoom": "ズーム", "textZoomIn": "拡大", "textZoomOut": "縮小", - "textZoomRotate": "ズームと回転", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "ズームと回転" }, "Settings": { "mniSlideStandard": "標準(4:3)", @@ -410,12 +409,13 @@ "textColorSchemes": "色スキーム", "textComment": "コメント", "textCreated": "作成された", + "textDarkTheme": "デークテーマ", "textDisableAll": "全てを無効にする", "textDisableAllMacrosWithNotification": "警告を表示して全てのマクロを無効にする", "textDisableAllMacrosWithoutNotification": "警告を表示してないすべてのマクロを無効にする", "textDone": "完了", "textDownload": "ダウンロードする", - "textDownloadAs": "としてダウンロードする", + "textDownloadAs": "名前を付けてダウンロード", "textEmail": "メール:", "textEnableAll": "全てを有効にする", "textEnableAllMacrosWithoutNotification": "警告を表示してないすべてのマクロを有効にする", @@ -472,8 +472,7 @@ "txtScheme6": "コンコース", "txtScheme7": "株主資本", "txtScheme8": "フロー", - "txtScheme9": "ファウンドリ", - "textDarkTheme": "Dark Theme" + "txtScheme9": "ファウンドリ" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/ko.json b/apps/presentationeditor/mobile/locale/ko.json index 1152fc5ff..39106ae89 100644 --- a/apps/presentationeditor/mobile/locale/ko.json +++ b/apps/presentationeditor/mobile/locale/ko.json @@ -379,7 +379,6 @@ "textTopLeft": "왼쪽 위", "textTopRight": "오른쪽 위", "textTotalRow": "합계", - "textTransition": "전환", "textTransitions": "전환", "textType": "유형", "textUnCover": "당기기", diff --git a/apps/presentationeditor/mobile/locale/nl.json b/apps/presentationeditor/mobile/locale/nl.json index 0a7257bf1..def1863c0 100644 --- a/apps/presentationeditor/mobile/locale/nl.json +++ b/apps/presentationeditor/mobile/locale/nl.json @@ -33,13 +33,13 @@ "textTryUndoRedo": "De functies Ongedaan maken/Annuleren zijn uitgeschakeld in de Modus Gezamenlijk bewerken.", "textUsers": "Gebruikers" }, + "HighlightColorPalette": { + "textNoFill": "Geen vulling" + }, "ThemeColorPalette": { "textCustomColors": "Aangepaste kleuren", "textStandartColors": "Standaardkleuren", "textThemeColors": "Themakleuren" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -107,6 +107,7 @@ "textHasMacros": "Het bestand bevat automatische macro's.
Wilt u macro's uitvoeren?", "textNo": "Nee", "textNoLicenseTitle": "Licentielimiet bereikt", + "textNoTextFound": "Tekst niet gevonden", "textOpenFile": "Voer een wachtwoord in om dit bestand te openen", "textPaidFeature": "Betaalde functie", "textRemember": "Bewaar mijn keuze", @@ -124,7 +125,6 @@ "warnNoLicense": "U hebt de limiet bereikt voor gelijktijdige verbindingen met %1 gelijktijdige gebruikers. Dit document wordt alleen geopend om te bekijken. Neem contact op met %1 verkoopteam voor persoonlijke upgradevoorwaarden.", "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.", - "textNoTextFound": "Text not found", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" } @@ -228,6 +228,7 @@ "textLinkTo": "Koppelen aan", "textLinkType": "Type koppeling", "textNextSlide": "Volgende dia", + "textOk": "OK", "textOther": "Overige", "textPictureFromLibrary": "Afbeelding uit bibliotheek", "textPictureFromURL": "Afbeelding van URL", @@ -240,8 +241,7 @@ "textSlideNumber": "Dianummer", "textTable": "Tabel", "textTableSize": "Tabelgrootte", - "txtNotUrl": "Dit veld moet een URL bevatten in de notatie \"http://www.internet.nl\"", - "textOk": "Ok" + "txtNotUrl": "Dit veld moet een URL bevatten in de notatie \"http://www.internet.nl\"" }, "Edit": { "notcriticalErrorTitle": "Waarschuwing", @@ -261,6 +261,7 @@ "textAllCaps": "Allemaal hoofdletters", "textApplyAll": "Toepassen op alle dia's", "textAuto": "Automatisch", + "textAutomatic": "Automatisch", "textBack": "Terug", "textBandedColumn": "Gestreepte kolom", "textBandedRow": "Gestreepte rij", @@ -285,6 +286,7 @@ "textDefault": "Geselecteerde tekst", "textDelay": "Vertragen", "textDeleteSlide": "Dia verwijderen", + "textDesign": "Ontwerp", "textDisplay": "Weergeven", "textDistanceFromText": "Afstand van tekst", "textDistributeHorizontally": "Horizontaal verdelen", @@ -336,6 +338,7 @@ "textNoTextFound": "Tekst niet gevonden", "textNotUrl": "Dit veld moet een URL bevatten in de notatie \"http://www.internet.nl\"", "textNumbers": "Nummers", + "textOk": "OK", "textOpacity": "Ondoorzichtigheid", "textOptions": "Opties", "textPictureFromLibrary": "Afbeelding uit bibliotheek", @@ -379,7 +382,6 @@ "textTopLeft": "Linksboven", "textTopRight": "Rechtsboven", "textTotalRow": "Totaalrij", - "textTransition": "Overgang", "textTransitions": "Overgangen", "textType": "Type", "textUnCover": "Onthullen", @@ -390,10 +392,7 @@ "textZoom": "Zoomen", "textZoomIn": "Inzoomen", "textZoomOut": "Uitzoomen", - "textZoomRotate": "Zoomen en draaien", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "Zoomen en draaien" }, "Settings": { "mniSlideStandard": "Standaard (4:3)", @@ -410,6 +409,7 @@ "textColorSchemes": "Kleurschema's", "textComment": "Opmerking", "textCreated": "Aangemaakt", + "textDarkTheme": "Donker thema", "textDisableAll": "Alles uitschakelen", "textDisableAllMacrosWithNotification": "Alle macro's met notificaties uitschakelen", "textDisableAllMacrosWithoutNotification": "Alle macro's met notificatie uitschakelen", @@ -472,8 +472,7 @@ "txtScheme6": "Concours", "txtScheme7": "Vermogen", "txtScheme8": "Stroom", - "txtScheme9": "Gieterij", - "textDarkTheme": "Dark Theme" + "txtScheme9": "Gieterij" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/pt.json b/apps/presentationeditor/mobile/locale/pt.json index c3ea981dc..cc53baea0 100644 --- a/apps/presentationeditor/mobile/locale/pt.json +++ b/apps/presentationeditor/mobile/locale/pt.json @@ -382,7 +382,6 @@ "textTopLeft": "Parte superior esquerda", "textTopRight": "Parte superior direita", "textTotalRow": "Linha total", - "textTransition": "Transição", "textTransitions": "Transições", "textType": "Tipo", "textUnCover": "Descobrir", diff --git a/apps/presentationeditor/mobile/locale/ro.json b/apps/presentationeditor/mobile/locale/ro.json index 98b4984dc..d5978feb3 100644 --- a/apps/presentationeditor/mobile/locale/ro.json +++ b/apps/presentationeditor/mobile/locale/ro.json @@ -33,13 +33,13 @@ "textTryUndoRedo": "Funcții Anulare/Refacere sunt dezactivate în modul Rapid de editare colaborativă.", "textUsers": "Utilizatori" }, + "HighlightColorPalette": { + "textNoFill": "Fără umplere" + }, "ThemeColorPalette": { "textCustomColors": "Culori particularizate", "textStandartColors": "Culori standard", "textThemeColors": "Culori temă" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -107,9 +107,12 @@ "textHasMacros": "Fișierul conține macrocomenzi.
Doriți să le rulați?", "textNo": "Nu", "textNoLicenseTitle": "Ați atins limita stabilită de licență", + "textNoTextFound": "Textul nu a fost găsit", "textOpenFile": "Introduceți parola pentru deschidere fișier", "textPaidFeature": "Funcția contra plată", "textRemember": "Reține opțiunea mea", + "textReplaceSkipped": "A avut loc o înlocuire. {0} apariții ignorate.", + "textReplaceSuccess": "Căutarea a fost finalizată. Înlocuiri: {0}", "textYes": "Da", "titleLicenseExp": "Licența a expirat", "titleServerVersion": "Editorul a fost actualizat", @@ -123,10 +126,7 @@ "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.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "Nu aveți permisiunea de editare pentru fișier." } }, "Error": { @@ -228,6 +228,7 @@ "textLinkTo": "Legătură la", "textLinkType": "Tip link", "textNextSlide": "Diapozitivul următor", + "textOk": "OK", "textOther": "Altele", "textPictureFromLibrary": "Imagine dintr-o bibliotecă ", "textPictureFromURL": "Imaginea prin URL", @@ -240,8 +241,7 @@ "textSlideNumber": "Număr diapozitiv", "textTable": "Tabel", "textTableSize": "Dimensiune tabel", - "txtNotUrl": "Câmpul trebuie să conțină adresa URL in format \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Câmpul trebuie să conțină adresa URL in format \"http://www.example.com\"" }, "Edit": { "notcriticalErrorTitle": "Avertisment", @@ -261,6 +261,7 @@ "textAllCaps": "Cu majuscule", "textApplyAll": "Aplicarea la toate diapozitivele ", "textAuto": "Auto", + "textAutomatic": "Automat", "textBack": "Înapoi", "textBandedColumn": "Coloana alternantă", "textBandedRow": "Rând alternant", @@ -285,6 +286,7 @@ "textDefault": "Textul selectat", "textDelay": "Amânare", "textDeleteSlide": "Ștergere diapozitiv", + "textDesign": "Proiectare", "textDisplay": "Afișare", "textDistanceFromText": "Distanță de la text", "textDistributeHorizontally": "Distribuire pe orizontală", @@ -336,6 +338,7 @@ "textNoTextFound": "Textul nu a fost găsit", "textNotUrl": "Câmpul trebuie să conțină adresa URL in format \"http://www.example.com\"", "textNumbers": "Numere", + "textOk": "OK", "textOpacity": "Transparență", "textOptions": "Opțiuni", "textPictureFromLibrary": "Imagine dintr-o bibliotecă ", @@ -379,7 +382,6 @@ "textTopLeft": "Stânga sus", "textTopRight": "Dreapta sus", "textTotalRow": "Rând total", - "textTransition": "Tranziții", "textTransitions": "Tranziții", "textType": "Tip", "textUnCover": "Descoperire", @@ -390,10 +392,7 @@ "textZoom": "Zoom", "textZoomIn": "Mărire", "textZoomOut": "Micșorare", - "textZoomRotate": "Zoom și rotire", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "Zoom și rotire" }, "Settings": { "mniSlideStandard": "Standard (4:3)", @@ -410,6 +409,7 @@ "textColorSchemes": "Scheme de culori", "textComment": "Comentariu", "textCreated": "A fost creat la", + "textDarkTheme": "Tema întunecată", "textDisableAll": "Se dezactivează toate", "textDisableAllMacrosWithNotification": "Se dezactivează toate macrocomenzileâ cu notificare", "textDisableAllMacrosWithoutNotification": "Se dezactivează toate macrocomenzile fără notificare", @@ -472,8 +472,7 @@ "txtScheme6": "Concurență", "txtScheme7": "Echilibru", "txtScheme8": "Flux", - "txtScheme9": "Forjă", - "textDarkTheme": "Dark Theme" + "txtScheme9": "Forjă" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/ru.json b/apps/presentationeditor/mobile/locale/ru.json index ec2f8f15a..6d4bcda58 100644 --- a/apps/presentationeditor/mobile/locale/ru.json +++ b/apps/presentationeditor/mobile/locale/ru.json @@ -228,6 +228,7 @@ "textLinkTo": "Связать с", "textLinkType": "Тип ссылки", "textNextSlide": "Следующий слайд", + "textOk": "Ok", "textOther": "Другое", "textPictureFromLibrary": "Рисунок из библиотеки", "textPictureFromURL": "Рисунок по URL", @@ -240,8 +241,7 @@ "textSlideNumber": "Номер слайда", "textTable": "Таблица", "textTableSize": "Размер таблицы", - "txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"" }, "Edit": { "notcriticalErrorTitle": "Внимание", @@ -261,6 +261,7 @@ "textAllCaps": "Все прописные", "textApplyAll": "Применить ко всем слайдам", "textAuto": "Авто", + "textAutomatic": "Автоматический", "textBack": "Назад", "textBandedColumn": "Чередовать столбцы", "textBandedRow": "Чередовать строки", @@ -285,6 +286,7 @@ "textDefault": "Выделенный текст", "textDelay": "Задержка", "textDeleteSlide": "Удалить слайд", + "textDesign": "Дизайн", "textDisplay": "Отображать", "textDistanceFromText": "Расстояние до текста", "textDistributeHorizontally": "Распределить по горизонтали", @@ -336,6 +338,7 @@ "textNoTextFound": "Текст не найден", "textNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"", "textNumbers": "Нумерация", + "textOk": "Ok", "textOpacity": "Непрозрачность", "textOptions": "Параметры", "textPictureFromLibrary": "Рисунок из библиотеки", @@ -379,7 +382,6 @@ "textTopLeft": "Сверху слева", "textTopRight": "Сверху справа", "textTotalRow": "Строка итогов", - "textTransition": "Переход", "textTransitions": "Переходы", "textType": "Тип", "textUnCover": "Открывание", @@ -390,10 +392,7 @@ "textZoom": "Масштабирование", "textZoomIn": "Увеличение", "textZoomOut": "Уменьшение", - "textZoomRotate": "Увеличение с поворотом", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "Увеличение с поворотом" }, "Settings": { "mniSlideStandard": "Стандартный (4:3)", diff --git a/apps/presentationeditor/mobile/locale/sl.json b/apps/presentationeditor/mobile/locale/sl.json index 7c3baf3e3..584c364da 100644 --- a/apps/presentationeditor/mobile/locale/sl.json +++ b/apps/presentationeditor/mobile/locale/sl.json @@ -1,8 +1,8 @@ { "About": { - "textAbout": "About", - "textAddress": "Address", - "textBack": "Back", + "textAbout": "O programu", + "textAddress": "Naslov", + "textBack": "Nazaj", "textEmail": "Email", "textPoweredBy": "Powered By", "textTel": "Tel", @@ -10,13 +10,13 @@ }, "Common": { "Collaboration": { + "textAddComment": "Dodaj komentar", + "textAddReply": "Dodaj odgovor", + "textBack": "Nazaj", + "textCancel": "Zapri", + "textComments": "Komentarji", "notcriticalErrorTitle": "Warning", - "textAddComment": "Add Comment", - "textAddReply": "Add Reply", - "textBack": "Back", - "textCancel": "Cancel", "textCollaboration": "Collaboration", - "textComments": "Comments", "textDeleteComment": "Delete Comment", "textDeleteReply": "Delete Reply", "textDone": "Done", @@ -27,26 +27,27 @@ "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", + "textOk": "Ok", "textReopen": "Reopen", "textResolve": "Resolve", "textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", - "textUsers": "Users", - "textOk": "Ok" + "textUsers": "Users" + }, + "HighlightColorPalette": { + "textNoFill": "No Fill" }, "ThemeColorPalette": { "textCustomColors": "Custom Colors", "textStandartColors": "Standard Colors", "textThemeColors": "Theme Colors" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { + "menuAddComment": "Dodaj komentar", + "menuAddLink": "Dodaj povezavo", + "menuCancel": "Zapri", + "textColumns": "Stolpci", "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", @@ -55,164 +56,19 @@ "menuOpenLink": "Open Link", "menuSplit": "Split", "menuViewComment": "View Comment", - "textColumns": "Columns", "textCopyCutPasteActions": "Copy, Cut and Paste Actions", "textDoNotShowAgain": "Don't show again", "textRows": "Rows" }, - "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", - "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", - "X Axis": "X Axis XAS", - "Y Axis": "Y Axis", - "Your text here": "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" - } - }, - "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." - }, - "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..." - }, - "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" - }, "View": { "Add": { + "textAddLink": "Dodaj povezavo", + "textAddress": "Naslov", + "textBack": "Nazaj", + "textCancel": "Zapri", + "textColumns": "Stolpci", + "textComment": "Komentar", "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.", @@ -228,6 +84,7 @@ "textLinkTo": "Link to", "textLinkType": "Link Type", "textNextSlide": "Next Slide", + "textOk": "Ok", "textOther": "Other", "textPictureFromLibrary": "Picture from Library", "textPictureFromURL": "Picture from URL", @@ -240,17 +97,17 @@ "textSlideNumber": "Slide Number", "textTable": "Table", "textTableSize": "Table Size", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"" }, "Edit": { + "textActualSize": "Dejanska velikost", + "textAddCustomColor": "Dodaj barvo po meri", + "textAdditional": "Dodatno", + "textAdditionalFormatting": "Dodatno oblikovanje", + "textAfter": "po", + "textBack": "Nazaj", "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", @@ -261,7 +118,7 @@ "textAllCaps": "All Caps", "textApplyAll": "Apply to All Slides", "textAuto": "Auto", - "textBack": "Back", + "textAutomatic": "Automatic", "textBandedColumn": "Banded Column", "textBandedRow": "Banded Row", "textBefore": "Before", @@ -285,6 +142,7 @@ "textDefault": "Selected text", "textDelay": "Delay", "textDeleteSlide": "Delete Slide", + "textDesign": "Design", "textDisplay": "Display", "textDistanceFromText": "Distance From Text", "textDistributeHorizontally": "Distribute Horizontally", @@ -336,6 +194,7 @@ "textNoTextFound": "Text not found", "textNotUrl": "This field should be a URL in the format \"http://www.example.com\"", "textNumbers": "Numbers", + "textOk": "Ok", "textOpacity": "Opacity", "textOptions": "Options", "textPictureFromLibrary": "Picture from Library", @@ -379,7 +238,7 @@ "textTopLeft": "Top-Left", "textTopRight": "Top-Right", "textTotalRow": "Total Row", - "textTransition": "Transition", + "textTransitions": "Transitions", "textType": "Type", "textUnCover": "UnCover", "textVerticalIn": "Vertical In", @@ -389,27 +248,24 @@ "textZoom": "Zoom", "textZoomIn": "Zoom In", "textZoomOut": "Zoom Out", - "textZoomRotate": "Zoom and Rotate", - "textTransitions": "Transitions", - "textDesign": "Design", - "textAutomatic": "Automatic", - "textOk": "Ok" + "textZoomRotate": "Zoom and Rotate" }, "Settings": { + "textAbout": "O programu", + "textApplication": "Aplikacija", + "textBack": "Nazaj", + "textComment": "Komentar", "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", + "textDarkTheme": "Dark Theme", "textDisableAll": "Disable All", "textDisableAllMacrosWithNotification": "Disable all macros with notification", "textDisableAllMacrosWithoutNotification": "Disable all macros without notification", @@ -472,8 +328,151 @@ "txtScheme6": "Concourse", "txtScheme7": "Equity", "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "textDarkTheme": "Dark Theme" + "txtScheme9": "Foundry" } + }, + "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", + "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", + "X Axis": "X Axis XAS", + "Y Axis": "Y Axis", + "Your text here": "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", + "textNoTextFound": "Text not found", + "textOpenFile": "Enter a password to open the file", + "textPaidFeature": "Paid feature", + "textRemember": "Remember my choice", + "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", + "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", + "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": "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." + } + }, + "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", + "errorLoadingFont": "Fonts are not loaded.
Please contact your Document Server administrator.", + "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 or print 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." + }, + "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..." + }, + "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" } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/tr.json b/apps/presentationeditor/mobile/locale/tr.json index 0893e3708..d6a30341c 100644 --- a/apps/presentationeditor/mobile/locale/tr.json +++ b/apps/presentationeditor/mobile/locale/tr.json @@ -228,6 +228,7 @@ "textLinkTo": "Şuna bağlantıla:", "textLinkType": "Link Tipi", "textNextSlide": "Sonraki slayt", + "textOk": "Tamam", "textOther": "Diğer", "textPictureFromLibrary": "Kütüphaneden Resim", "textPictureFromURL": "URL'den resim", @@ -240,8 +241,7 @@ "textSlideNumber": "Slayt numarası", "textTable": "Tablo", "textTableSize": "Tablo Boyutu", - "txtNotUrl": "Bu alan, \"http://www.example.com\" biçiminde bir URL olmalıdır.", - "textOk": "Tamam" + "txtNotUrl": "Bu alan, \"http://www.example.com\" biçiminde bir URL olmalıdır." }, "Edit": { "notcriticalErrorTitle": "Uyarı", @@ -336,6 +336,7 @@ "textNoTextFound": "Metin Bulunamadı", "textNotUrl": "Bu alan, \"http://www.example.com\" biçiminde bir URL olmalıdır.", "textNumbers": "Sayılar", + "textOk": "Tamam", "textOpacity": "Opaklık", "textOptions": "Seçenekler", "textPictureFromLibrary": "Kütüphaneden Resim", @@ -378,7 +379,6 @@ "textTopLeft": "Üst-Sol", "textTopRight": "Üst-Sağ", "textTotalRow": "Toplam Satır", - "textTransition": "Geçiş", "textTransitions": "geçişler", "textType": "Tip", "textUnCover": "Meydana çıkar", @@ -392,7 +392,6 @@ "textAutomatic": "Automatic", "textDesign": "Design", "textPush": "Push", - "textOk": "Tamam", "textWedge": "Wedge" }, "Settings": { diff --git a/apps/presentationeditor/mobile/locale/uk.json b/apps/presentationeditor/mobile/locale/uk.json index 7c3baf3e3..ee76a9fbc 100644 --- a/apps/presentationeditor/mobile/locale/uk.json +++ b/apps/presentationeditor/mobile/locale/uk.json @@ -1,8 +1,8 @@ { "About": { - "textAbout": "About", - "textAddress": "Address", - "textBack": "Back", + "textAbout": "Про програму", + "textAddress": "Адреса", + "textBack": "Назад", "textEmail": "Email", "textPoweredBy": "Powered By", "textTel": "Tel", @@ -10,11 +10,11 @@ }, "Common": { "Collaboration": { + "textAddComment": "Додати коментар", + "textAddReply": "Додати відповідь", + "textBack": "Назад", + "textCancel": "Скасувати", "notcriticalErrorTitle": "Warning", - "textAddComment": "Add Comment", - "textAddReply": "Add Reply", - "textBack": "Back", - "textCancel": "Cancel", "textCollaboration": "Collaboration", "textComments": "Comments", "textDeleteComment": "Delete Comment", @@ -27,26 +27,26 @@ "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", + "textOk": "Ok", "textReopen": "Reopen", "textResolve": "Resolve", "textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", - "textUsers": "Users", - "textOk": "Ok" + "textUsers": "Users" + }, + "HighlightColorPalette": { + "textNoFill": "No Fill" }, "ThemeColorPalette": { "textCustomColors": "Custom Colors", "textStandartColors": "Standard Colors", "textThemeColors": "Theme Colors" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { + "menuAddComment": "Додати коментар", + "menuAddLink": "Додати посилання", + "menuCancel": "Скасувати", "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", @@ -62,25 +62,14 @@ }, "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", "SDK": { - "Chart": "Chart", + "Chart": "Діаграма", + "Diagram Title": "Заголовок діаграми", "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", @@ -98,7 +87,18 @@ "Y Axis": "Y Axis", "Your text here": "Your text here" }, - "textAnonymous": "Anonymous", + "textAnonymous": "Анонімний користувач", + "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", "textBuyNow": "Visit website", "textClose": "Close", "textContactUs": "Contact sales", @@ -107,9 +107,12 @@ "textHasMacros": "The file contains automatic macros.
Do you want to run macros?", "textNo": "No", "textNoLicenseTitle": "License limit reached", + "textNoTextFound": "Text not found", "textOpenFile": "Enter a password to open the file", "textPaidFeature": "Paid feature", "textRemember": "Remember my choice", + "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", + "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textYes": "Yes", "titleLicenseExp": "License expired", "titleServerVersion": "Editor updated", @@ -119,33 +122,33 @@ "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", + "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.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "warnProcessRightsChange": "You don't have permission to edit the file." } }, "Error": { + "errorConnectToServer": "Неможливо зберегти документ. Перевірте параметри підключення або зверніться до адміністратора.
Коли ви натиснете на кнопку 'OK', вам буде запропоновано завантажити документ.", + "errorEditingDownloadas": "Під час роботи з документом сталася помилка.
Використовуйте опцію 'Завантажити', щоб зберегти резервну копію файлу локально.", + "openErrorText": "Під час відкриття файлу сталася помилка", + "saveErrorText": "Під час збереження файлу сталася помилка", "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.", + "errorBadImageUrl": "Image URL is incorrect", "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", + "errorLoadingFont": "Fonts are not loaded.
Please contact your Document Server administrator.", "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.", @@ -153,10 +156,8 @@ "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.", + "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.", "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", @@ -164,53 +165,15 @@ "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." - }, - "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..." - }, - "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" + "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB." }, "View": { "Add": { + "textAddLink": "Додати посилання", + "textAddress": "Адреса", + "textBack": "Назад", + "textCancel": "Скасувати", "notcriticalErrorTitle": "Warning", - "textAddLink": "Add Link", - "textAddress": "Address", - "textBack": "Back", - "textCancel": "Cancel", "textColumns": "Columns", "textComment": "Comment", "textDefault": "Selected text", @@ -228,6 +191,7 @@ "textLinkTo": "Link to", "textLinkType": "Link Type", "textNextSlide": "Next Slide", + "textOk": "Ok", "textOther": "Other", "textPictureFromLibrary": "Picture from Library", "textPictureFromURL": "Picture from URL", @@ -240,42 +204,42 @@ "textSlideNumber": "Slide Number", "textTable": "Table", "textTableSize": "Table Size", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textOk": "Ok" + "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"" }, "Edit": { + "textActualSize": "Реальний розмір", + "textAddCustomColor": "Додати власний колір", + "textAdditional": "Додатково", + "textAdditionalFormatting": "Додатково", + "textAddress": "Адреса", + "textAfter": "Після", + "textAlign": "Вирівнювання", + "textAlignBottom": "По нижньому краю", + "textAlignCenter": "По центру", + "textAlignLeft": "По лівому краю", + "textAlignMiddle": "Посередині", + "textAlignRight": "По правому краю", + "textAlignTop": "По верхньому краю", + "textAllCaps": "Всі великі", + "textApplyAll": "Застосувати до всіх слайдів", + "textAuto": "Авто", + "textAutomatic": "Автоматичний", + "textBack": "Назад", + "textBandedColumn": "Чергувати стовпчики", + "textBandedRow": "Чергувати рядки", + "textBefore": "Перед", + "textBorder": "Межа", + "textBottom": "Знизу", + "textBottomLeft": "Внизу ліворуч", + "textBottomRight": "Внизу праворуч", + "textBringToForeground": "Перенести на передній план", + "textBullets": "Маркери", + "textBulletsAndNumbers": "Маркери та нумерація", + "textCaseSensitive": "З урахуванням регістру", + "textCellMargins": "Поля клітинки", + "textChart": "Діаграма", "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", @@ -285,6 +249,7 @@ "textDefault": "Selected text", "textDelay": "Delay", "textDeleteSlide": "Delete Slide", + "textDesign": "Design", "textDisplay": "Display", "textDistanceFromText": "Distance From Text", "textDistributeHorizontally": "Distribute Horizontally", @@ -336,6 +301,7 @@ "textNoTextFound": "Text not found", "textNotUrl": "This field should be a URL in the format \"http://www.example.com\"", "textNumbers": "Numbers", + "textOk": "Ok", "textOpacity": "Opacity", "textOptions": "Options", "textPictureFromLibrary": "Picture from Library", @@ -379,7 +345,7 @@ "textTopLeft": "Top-Left", "textTopRight": "Top-Right", "textTotalRow": "Total Row", - "textTransition": "Transition", + "textTransitions": "Transitions", "textType": "Type", "textUnCover": "UnCover", "textVerticalIn": "Vertical In", @@ -389,27 +355,27 @@ "textZoom": "Zoom", "textZoomIn": "Zoom In", "textZoomOut": "Zoom Out", - "textZoomRotate": "Zoom and Rotate", - "textTransitions": "Transitions", - "textDesign": "Design", - "textAutomatic": "Automatic", - "textOk": "Ok" + "textZoomRotate": "Zoom and Rotate" }, "Settings": { + "textAbout": "Про програму", + "textAddress": "адреса:", + "textApplication": "Застосунок", + "textApplicationSettings": "Налаштування додатку", + "textAuthor": "Автор", + "textBack": "Назад", + "textCaseSensitive": "З урахуванням регістру", + "textCentimeter": "Сантиметр", + "txtScheme3": "Апекс", + "txtScheme4": "Аспект", + "txtScheme5": "Офіційна", "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", + "textDarkTheme": "Dark Theme", "textDisableAll": "Disable All", "textDisableAllMacrosWithNotification": "Disable all macros with notification", "textDisableAllMacrosWithoutNotification": "Disable all macros without notification", @@ -466,14 +432,47 @@ "txtScheme20": "Urban", "txtScheme21": "Verve", "txtScheme22": "New Office", - "txtScheme3": "Apex", - "txtScheme4": "Aspect", - "txtScheme5": "Civic", "txtScheme6": "Concourse", "txtScheme7": "Equity", "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "textDarkTheme": "Dark Theme" + "txtScheme9": "Foundry" } + }, + "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..." + }, + "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" } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/zh.json b/apps/presentationeditor/mobile/locale/zh.json index a6d48071b..daa677149 100644 --- a/apps/presentationeditor/mobile/locale/zh.json +++ b/apps/presentationeditor/mobile/locale/zh.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": "编辑器已更新", @@ -123,10 +126,7 @@ "warnLicenseUsersExceeded": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。", "warnNoLicense": "你已经触发了 %1 编辑器的同时在线数限制. 该文档打开后,你将只能查看。请联系 %1 的销售团队,获取个人升级条款。", "warnNoLicenseUsers": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。", - "warnProcessRightsChange": "你没有编辑文件的权限。", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "warnProcessRightsChange": "你没有编辑文件的权限。" } }, "Error": { @@ -228,6 +228,7 @@ "textLinkTo": "链接到", "textLinkType": "链接类型", "textNextSlide": "下一张幻灯片", + "textOk": "好", "textOther": "其他", "textPictureFromLibrary": "图库", "textPictureFromURL": "来自网络的图片", @@ -240,8 +241,7 @@ "textSlideNumber": "幻灯片编号", "textTable": "表格", "textTableSize": "表格大小", - "txtNotUrl": "该字段应为“http://www.example.com”格式的URL", - "textOk": "Ok" + "txtNotUrl": "该字段应为“http://www.example.com”格式的URL" }, "Edit": { "notcriticalErrorTitle": "警告", @@ -261,6 +261,7 @@ "textAllCaps": "全部大写", "textApplyAll": "应用于所有幻灯片", "textAuto": "自动", + "textAutomatic": "自动", "textBack": "返回", "textBandedColumn": "带状列", "textBandedRow": "带状行", @@ -271,7 +272,7 @@ "textBottomLeft": "左下", "textBottomRight": "右下", "textBringToForeground": "放到最上面", - "textBullets": "着重号", + "textBullets": "项目符号", "textBulletsAndNumbers": "项目符号与编号", "textCaseSensitive": "区分大小写", "textCellMargins": "单元格边距", @@ -285,6 +286,7 @@ "textDefault": "所选文字", "textDelay": "延迟", "textDeleteSlide": "删除幻灯片", + "textDesign": "设计", "textDisplay": "展示", "textDistanceFromText": "文字距离", "textDistributeHorizontally": "水平分布", @@ -336,6 +338,7 @@ "textNoTextFound": "文本没找到", "textNotUrl": "该字段应为“http://www.example.com”格式的URL", "textNumbers": "数字", + "textOk": "好", "textOpacity": "不透明度", "textOptions": "选项", "textPictureFromLibrary": "图库", @@ -379,8 +382,7 @@ "textTopLeft": "左上", "textTopRight": "右上", "textTotalRow": "总行", - "textTransition": "过渡", - "textTransitions": "转换", + "textTransitions": "切换", "textType": "类型", "textUnCover": "揭露", "textVerticalIn": "铅直进入", @@ -390,10 +392,7 @@ "textZoom": "放大", "textZoomIn": "放大", "textZoomOut": "缩小", - "textZoomRotate": "缩放并旋转", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "缩放并旋转" }, "Settings": { "mniSlideStandard": "标准(4:3)", @@ -410,6 +409,7 @@ "textColorSchemes": "颜色方案", "textComment": "评论", "textCreated": "已创建", + "textDarkTheme": "深色主题", "textDisableAll": "解除所有项目", "textDisableAllMacrosWithNotification": "关闭所有带通知的宏", "textDisableAllMacrosWithoutNotification": "关闭所有不带通知的宏", @@ -472,8 +472,7 @@ "txtScheme6": "中央大厅", "txtScheme7": "公平", "txtScheme8": "流动", - "txtScheme9": "发现", - "textDarkTheme": "Dark Theme" + "txtScheme9": "发现" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/src/controller/ContextMenu.jsx b/apps/presentationeditor/mobile/src/controller/ContextMenu.jsx index 2b71baaac..374ea55a1 100644 --- a/apps/presentationeditor/mobile/src/controller/ContextMenu.jsx +++ b/apps/presentationeditor/mobile/src/controller/ContextMenu.jsx @@ -25,6 +25,7 @@ class ContextMenu extends ContextMenuController { this.onApiShowComment = this.onApiShowComment.bind(this); this.onApiHideComment = this.onApiHideComment.bind(this); this.getUserName = this.getUserName.bind(this); + this.isUserVisible = this.isUserVisible.bind(this); } static closeContextMenu() { @@ -36,6 +37,11 @@ class ContextMenu extends ContextMenuController { return AscCommon.UserInfoParser.getParsedName(user.asc_getUserName()); } + isUserVisible(id) { + const user = this.props.users.searchUserByCurrentId(id); + return user ? (user.asc_getIdOriginal()===this.props.users.currentUser.asc_getIdOriginal() || AscCommon.UserInfoParser.isUserVisible(user.asc_getUserName())) : true; + } + componentWillUnmount() { super.componentWillUnmount(); @@ -196,7 +202,7 @@ class ContextMenu extends ContextMenuController { initMenuItems() { if ( !Common.EditorApi ) return []; - const { isEdit } = this.props; + const { isEdit, isDisconnected } = this.props; if (isEdit && EditorUIController.ContextMenu) { return EditorUIController.ContextMenu.mapMenuItems(this); @@ -253,18 +259,20 @@ class ContextMenu extends ContextMenuController { icon: 'icon-copy' }); } - if (canViewComments && this.isComments && !isEdit) { - itemsText.push({ - caption: _t.menuViewComment, - event: 'viewcomment' - }); - } - - if (!isChart && api.can_AddQuotedComment() !== false && canCoAuthoring && canComments && !locked) { - itemsText.push({ - caption: _t.menuAddComment, - event: 'addcomment' - }); + if(!isDisconnected) { + if (canViewComments && this.isComments && !isEdit) { + itemsText.push({ + caption: _t.menuViewComment, + event: 'viewcomment' + }); + } + + if (!isChart && api.can_AddQuotedComment() !== false && canCoAuthoring && canComments && !locked) { + itemsText.push({ + caption: _t.menuAddComment, + event: 'addcomment' + }); + } } if (isLink) { diff --git a/apps/presentationeditor/mobile/src/controller/Error.jsx b/apps/presentationeditor/mobile/src/controller/Error.jsx index 839dd126b..85b605270 100644 --- a/apps/presentationeditor/mobile/src/controller/Error.jsx +++ b/apps/presentationeditor/mobile/src/controller/Error.jsx @@ -4,6 +4,9 @@ import { f7 } from 'framework7-react'; import { useTranslation } from 'react-i18next'; const ErrorController = inject('storeAppOptions')(({storeAppOptions, LoadingDocument}) => { + const { t } = useTranslation(); + const _t = t("Error", { returnObjects: true }); + useEffect(() => { const on_engine_created = k => { k.asc_registerCallback('asc_onError', onError); }; @@ -20,9 +23,6 @@ const ErrorController = inject('storeAppOptions')(({storeAppOptions, LoadingDocu }); const onError = (id, level, errData) => { - const {t} = useTranslation(); - const _t = t("Error", { returnObjects: true }); - if (id === Asc.c_oAscError.ID.LoadingScriptError) { f7.notification.create({ title: _t.criticalErrorTitle, diff --git a/apps/presentationeditor/mobile/src/controller/LongActions.jsx b/apps/presentationeditor/mobile/src/controller/LongActions.jsx index 378f11865..61614d9a5 100644 --- a/apps/presentationeditor/mobile/src/controller/LongActions.jsx +++ b/apps/presentationeditor/mobile/src/controller/LongActions.jsx @@ -1,9 +1,10 @@ import React, { useEffect } from 'react'; import { f7 } from 'framework7-react'; +import { inject } from 'mobx-react'; import { useTranslation } from 'react-i18next'; import IrregularStack from "../../../../common/mobile/utils/IrregularStack"; -const LongActionsController = () => { +const LongActionsController = inject('storeAppOptions')(({storeAppOptions}) => { const {t} = useTranslation(); const _t = t("LongActions", {returnObjects: true}); @@ -74,86 +75,88 @@ const LongActionsController = () => { const setLongActionView = (action) => { let title = ''; - let text = ''; + // let text = ''; switch (action.id) { case Asc.c_oAscAsyncAction['Open']: - title = _t.openTitleText; - text = _t.openTextText; + title = _t.textLoadingDocument; + // title = _t.openTitleText; + // text = _t.openTextText; break; case Asc.c_oAscAsyncAction['Save']: title = _t.saveTitleText; - text = _t.saveTextText; + // text = _t.saveTextText; break; case Asc.c_oAscAsyncAction['LoadDocumentFonts']: + if ( !storeAppOptions.isDocReady ) return; title = _t.loadFontsTitleText; - text = _t.loadFontsTextText; + // text = _t.loadFontsTextText; break; case Asc.c_oAscAsyncAction['LoadDocumentImages']: title = _t.loadImagesTitleText; - text = _t.loadImagesTextText; + // text = _t.loadImagesTextText; break; case Asc.c_oAscAsyncAction['LoadFont']: title = _t.loadFontTitleText; - text = _t.loadFontTextText; + // text = _t.loadFontTextText; break; case Asc.c_oAscAsyncAction['LoadImage']: title = _t.loadImageTitleText; - text = _t.loadImageTextText; + // text = _t.loadImageTextText; break; case Asc.c_oAscAsyncAction['DownloadAs']: title = _t.downloadTitleText; - text = _t.downloadTextText; + // text = _t.downloadTextText; break; case Asc.c_oAscAsyncAction['Print']: title = _t.printTitleText; - text = _t.printTextText; + // text = _t.printTextText; break; case Asc.c_oAscAsyncAction['UploadImage']: title = _t.uploadImageTitleText; - text = _t.uploadImageTextText; + // text = _t.uploadImageTextText; break; case Asc.c_oAscAsyncAction['LoadTheme']: title = _t.loadThemeTitleText; - text = _t.loadThemeTextText; + // text = _t.loadThemeTextText; break; case Asc.c_oAscAsyncAction['ApplyChanges']: title = _t.applyChangesTitleText; - text = _t.applyChangesTextText; + // text = _t.applyChangesTextText; break; case Asc.c_oAscAsyncAction['PrepareToSave']: title = _t.savePreparingText; - text = _t.savePreparingTitle; + // text = _t.savePreparingTitle; break; case Asc.c_oAscAsyncAction['Waiting']: title = _t.waitText; - text = _t.waitText; + // text = _t.waitText; break; case ApplyEditRights: title = _t.txtEditingMode; - text = _t.txtEditingMode; + // text = _t.txtEditingMode; break; case LoadingDocument: title = _t.loadingDocumentTitleText; - text = _t.loadingDocumentTextText; + // text = _t.loadingDocumentTextText; break; default: if (typeof action.id == 'string'){ title = action.id; - text = action.id; + // text = action.id; } break; } @@ -183,6 +186,6 @@ const LongActionsController = () => { }; return null; -}; +}); export default LongActionsController; \ No newline at end of file diff --git a/apps/presentationeditor/mobile/src/controller/Main.jsx b/apps/presentationeditor/mobile/src/controller/Main.jsx index bf452d8e2..cd4bb85da 100644 --- a/apps/presentationeditor/mobile/src/controller/Main.jsx +++ b/apps/presentationeditor/mobile/src/controller/Main.jsx @@ -489,7 +489,7 @@ class MainController extends Component { onLicenseChanged (params) { const appOptions = this.props.storeAppOptions; const licType = params.asc_getLicenseType(); - if (licType !== undefined && appOptions.canEdit && appOptions.config.mode !== 'view' && + if (licType !== undefined && (appOptions.canEdit || appOptions.isRestrictedEdit) && appOptions.config.mode !== 'view' && (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; @@ -627,10 +627,11 @@ class MainController extends Component { } onAdvancedOptions (type, advOptions) { + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); + if ($$('.dlg-adv-options.modal-in').length > 0) return; - const _t = this._t; - if (type == Asc.c_oAscAdvancedOptionsID.DRM) { Common.Notifications.trigger('preloader:close'); Common.Notifications.trigger('preloader:endAction', Asc.c_oAscAsyncActionType['BlockInteraction'], this.LoadingDocument, true); diff --git a/apps/presentationeditor/mobile/src/controller/Search.jsx b/apps/presentationeditor/mobile/src/controller/Search.jsx index 23fd51cb1..d6dc11a94 100644 --- a/apps/presentationeditor/mobile/src/controller/Search.jsx +++ b/apps/presentationeditor/mobile/src/controller/Search.jsx @@ -88,9 +88,10 @@ const Search = withTranslation()(props => { f7.popover.close('.document-menu.modal-in', false); if (params.find && params.find.length) { - if (!api.findText(params.find, params.forward, params.caseSensitive) ) { - f7.dialog.alert(null, _t.textNoTextFound); - } + api.asc_findText(params.find, params.forward, params.caseSensitive, function(resultCount) { + !resultCount && f7.dialog.alert(null, _t.textNoTextFound); + }); + } }; diff --git a/apps/presentationeditor/mobile/src/less/app.less b/apps/presentationeditor/mobile/src/less/app.less index 37ace4a3c..960129624 100644 --- a/apps/presentationeditor/mobile/src/less/app.less +++ b/apps/presentationeditor/mobile/src/less/app.less @@ -36,6 +36,7 @@ @import './app-ios.less'; @import './icons-ios.less'; @import './icons-material.less'; +@import './icons-common.less'; :root { --f7-popover-width: 360px; diff --git a/apps/presentationeditor/mobile/src/less/icons-common.less b/apps/presentationeditor/mobile/src/less/icons-common.less new file mode 100644 index 000000000..65985f829 --- /dev/null +++ b/apps/presentationeditor/mobile/src/less/icons-common.less @@ -0,0 +1,25 @@ +i.icon { + &.icon-format-pptx { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + + &.icon-format-potx { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + + &.icon-format-odp { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + + &.icon-format-otp { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } +} \ No newline at end of file diff --git a/apps/presentationeditor/mobile/src/less/icons-ios.less b/apps/presentationeditor/mobile/src/less/icons-ios.less index fa0a77037..9f9e775a5 100644 --- a/apps/presentationeditor/mobile/src/less/icons-ios.less +++ b/apps/presentationeditor/mobile/src/less/icons-ios.less @@ -413,45 +413,8 @@ .encoded-svg-mask(''); } - // Formats + // Collaboration - &.icon-format-pdf { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - - &.icon-format-pdfa { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - - &.icon-format-pptx { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - - &.icon-format-potx { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - - &.icon-format-odp { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - - &.icon-format-otp { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - - // Collaboration &.icon-users { width: 24px; height: 24px; diff --git a/apps/presentationeditor/mobile/src/less/icons-material.less b/apps/presentationeditor/mobile/src/less/icons-material.less index c3185d510..3fdb2bcff 100644 --- a/apps/presentationeditor/mobile/src/less/icons-material.less +++ b/apps/presentationeditor/mobile/src/less/icons-material.less @@ -383,46 +383,8 @@ .encoded-svg-mask(''); } - // Formats - - &.icon-format-pdf { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - - &.icon-format-pdfa { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - - &.icon-format-pptx { - width: 30px; - height: 30px; - // xml:space="preserve" - .encoded-svg-mask(''); - } - - &.icon-format-potx { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - - &.icon-format-odp { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - - &.icon-format-otp { - width: 30px; - height: 30px; - .encoded-svg-mask('') - } - // Collaboration + &.icon-users { width: 24px; height: 24px; diff --git a/apps/presentationeditor/mobile/src/page/main.jsx b/apps/presentationeditor/mobile/src/page/main.jsx index 9d497eead..d1f099a0b 100644 --- a/apps/presentationeditor/mobile/src/page/main.jsx +++ b/apps/presentationeditor/mobile/src/page/main.jsx @@ -1,5 +1,5 @@ import React, { Component, Fragment } from 'react'; -import { f7, Page, View, Navbar, Subnavbar, Icon } from 'framework7-react'; +import { f7, Page, View, Navbar, Subnavbar, Icon, Link} from 'framework7-react'; import { observer, inject } from "mobx-react"; import { Device } from '../../../../common/mobile/utils/device'; @@ -110,7 +110,9 @@ class MainPage extends Component { {/* Top Navbar */} - {showLogo && appOptions.canBranding &&
} + {showLogo && appOptions.canBranding !== undefined &&
{ + window.open(`${__PUBLISHER_URL__}`, "_blank"); + }}>
} diff --git a/apps/presentationeditor/mobile/src/store/appOptions.js b/apps/presentationeditor/mobile/src/store/appOptions.js index 4e0b91bcd..97b83a381 100644 --- a/apps/presentationeditor/mobile/src/store/appOptions.js +++ b/apps/presentationeditor/mobile/src/store/appOptions.js @@ -12,6 +12,7 @@ export class storeAppOptions { lostEditingRights: observable, changeEditingRights: action, canBrandingExt: observable, + canBranding: observable, isDocReady: observable, changeDocReady: action @@ -21,6 +22,7 @@ export class storeAppOptions { isEdit = false; canViewComments = false; canBrandingExt = false; + canBranding = false; config = {}; lostEditingRights = false; @@ -110,7 +112,9 @@ export class storeAppOptions { this.canUseReviewPermissions = this.canLicense && (!!permissions.reviewGroups || this.customization && this.customization.reviewPermissions && (typeof (this.customization.reviewPermissions) == 'object')); this.canUseCommentPermissions = this.canLicense && !!permissions.commentGroups; + this.canUseUserInfoPermissions = this.canLicense && !!permissions.userInfoGroups; this.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(permissions.reviewGroups, this.customization.reviewPermissions); this.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(permissions.commentGroups); + this.canUseUserInfoPermissions && AscCommon.UserInfoParser.setUserInfoPermissions(permissions.userInfoGroups); } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/src/store/textSettings.js b/apps/presentationeditor/mobile/src/store/textSettings.js index 44ae68c56..551c633ae 100644 --- a/apps/presentationeditor/mobile/src/store/textSettings.js +++ b/apps/presentationeditor/mobile/src/store/textSettings.js @@ -105,11 +105,11 @@ export class storeTextSettings { this.thumbCanvas = document.createElement('canvas'); this.thumbContext = this.thumbCanvas.getContext('2d'); this.thumbs = [ - {ratio: 1, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail.png', width: this.iconWidth, height: this.iconHeight}, - {ratio: 1.25, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail@1.25x.png', width: this.iconWidth * 1.25, height: this.iconHeight * 1.25}, - {ratio: 1.5, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail@1.5x.png', width: this.iconWidth * 1.5, height: this.iconHeight * 1.5}, - {ratio: 1.75, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail@1.75x.png', width: this.iconWidth * 1.75, height: this.iconHeight * 1.75}, - {ratio: 2, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail@2x.png', width: this.iconWidth * 2, height: this.iconHeight * 2} + {ratio: 1, path: '../../../../../sdkjs/common/Images/fonts_thumbnail.png', width: this.iconWidth, height: this.iconHeight}, + {ratio: 1.25, path: '../../../../../sdkjs/common/Images/fonts_thumbnail@1.25x.png', width: this.iconWidth * 1.25, height: this.iconHeight * 1.25}, + {ratio: 1.5, path: '../../../../../sdkjs/common/Images/fonts_thumbnail@1.5x.png', width: this.iconWidth * 1.5, height: this.iconHeight * 1.5}, + {ratio: 1.75, path: '../../../../../sdkjs/common/Images/fonts_thumbnail@1.75x.png', width: this.iconWidth * 1.75, height: this.iconHeight * 1.75}, + {ratio: 2, path: '../../../../../sdkjs/common/Images/fonts_thumbnail@2x.png', width: this.iconWidth * 2, height: this.iconHeight * 2} ]; const applicationPixelRatio = Common.Utils.applicationPixelRatio(); diff --git a/apps/presentationeditor/mobile/src/view/settings/Settings.jsx b/apps/presentationeditor/mobile/src/view/settings/Settings.jsx index 473fe78b4..50bf74b60 100644 --- a/apps/presentationeditor/mobile/src/view/settings/Settings.jsx +++ b/apps/presentationeditor/mobile/src/view/settings/Settings.jsx @@ -121,11 +121,36 @@ const SettingsList = inject("storeAppOptions", "storeToolbarSettings")(observer( }; const appOptions = props.storeAppOptions; - let _isEdit = false; + let _isEdit = false, + _canDownload = false, + _canDownloadOrigin = false, + _canAbout = true, + _canHelp = true, + _canPrint = false; - if (!appOptions.isDisconnected) { + if (appOptions.isDisconnected) { + _isEdit = false; + if (!appOptions.enableDownload) + _canPrint = _canDownload = _canDownloadOrigin = false; + } else { _isEdit = appOptions.isEdit; - } + _canDownload = appOptions.canDownload; + _canDownloadOrigin = appOptions.canDownloadOrigin; + _canPrint = appOptions.canPrint; + if (appOptions.customization && appOptions.canBrandingExt) { + _canAbout = (appOptions.customization.about!==false); + } + if (appOptions.customization) { + _canHelp = (appOptions.customization.help!==false); + } + } + + const onDownloadOrigin = () => { + closeModal(); + setTimeout(() => { + Common.EditorApi.get().asc_DownloadOrigin(); + }, 0); + }; return ( @@ -150,12 +175,21 @@ const SettingsList = inject("storeAppOptions", "storeToolbarSettings")(observer( - - - - - - + {_canDownload && + + + + } + {_canDownloadOrigin && + + + + } + {_canPrint && + + + + } diff --git a/apps/spreadsheeteditor/embed/index.html b/apps/spreadsheeteditor/embed/index.html index 94cf225af..4ae0f8326 100644 --- a/apps/spreadsheeteditor/embed/index.html +++ b/apps/spreadsheeteditor/embed/index.html @@ -276,6 +276,7 @@ + diff --git a/apps/spreadsheeteditor/embed/index_loader.html b/apps/spreadsheeteditor/embed/index_loader.html index 18b700b25..9aa8b85ad 100644 --- a/apps/spreadsheeteditor/embed/index_loader.html +++ b/apps/spreadsheeteditor/embed/index_loader.html @@ -343,6 +343,7 @@ + diff --git a/apps/spreadsheeteditor/embed/js/ApplicationController.js b/apps/spreadsheeteditor/embed/js/ApplicationController.js index 5e0d7bcf4..ca6f42650 100644 --- a/apps/spreadsheeteditor/embed/js/ApplicationController.js +++ b/apps/spreadsheeteditor/embed/js/ApplicationController.js @@ -88,6 +88,13 @@ SSE.ApplicationController = new(function(){ config.canBackToFolder = (config.canBackToFolder!==false) && config.customization && config.customization.goback && (config.customization.goback.url || config.customization.goback.requestClose && config.canRequestClose); + var reg = (typeof (config.region) == 'string') ? config.region.toLowerCase() : config.region; + reg = Common.util.LanguageInfo.getLanguages().hasOwnProperty(reg) ? reg : Common.util.LanguageInfo.getLocalLanguageCode(reg); + if (reg!==null) + reg = parseInt(reg); + else + reg = (config.lang) ? parseInt(Common.util.LanguageInfo.getLocalLanguageCode(config.lang)) : 0x0409; + api.asc_setLocale(reg); } function loadDocument(data) { diff --git a/apps/spreadsheeteditor/embed/locale/be.json b/apps/spreadsheeteditor/embed/locale/be.json index 25bc8d708..80a4b9f80 100644 --- a/apps/spreadsheeteditor/embed/locale/be.json +++ b/apps/spreadsheeteditor/embed/locale/be.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": "Закрыць", @@ -25,6 +31,7 @@ "SSE.ApplicationController.waitText": "Калі ласка, пачакайце...", "SSE.ApplicationView.txtDownload": "Спампаваць", "SSE.ApplicationView.txtEmbed": "Убудаваць", + "SSE.ApplicationView.txtFileLocation": "Перайсці да дакументаў", "SSE.ApplicationView.txtFullScreen": "Поўнаэкранны рэжым", "SSE.ApplicationView.txtPrint": "Друк", "SSE.ApplicationView.txtShare": "Падзяліцца" diff --git a/apps/spreadsheeteditor/embed/locale/ca.json b/apps/spreadsheeteditor/embed/locale/ca.json index 592c89758..841b0042f 100644 --- a/apps/spreadsheeteditor/embed/locale/ca.json +++ b/apps/spreadsheeteditor/embed/locale/ca.json @@ -4,35 +4,35 @@ "common.view.modals.txtHeight": "Alçada", "common.view.modals.txtShare": "Comparteix l'enllaç", "common.view.modals.txtWidth": "Amplada", - "SSE.ApplicationController.convertationErrorText": "No s'ha pogut convertir", + "SSE.ApplicationController.convertationErrorText": "No s'ha pogut convertir.", "SSE.ApplicationController.convertationTimeoutText": "S'ha superat el temps de conversió.", "SSE.ApplicationController.criticalErrorTitle": "Error", - "SSE.ApplicationController.downloadErrorText": "S'ha produït un error en la baixada", - "SSE.ApplicationController.downloadTextText": "S'està baixant el full de càlcul ...", - "SSE.ApplicationController.errorAccessDeny": "No tens permisos per realitzar aquesta acció.
Contacta amb el teu administrador del servidor de documents.", - "SSE.ApplicationController.errorDefaultMessage": "Codi d'error:%1", + "SSE.ApplicationController.downloadErrorText": "La baixada ha fallat.", + "SSE.ApplicationController.downloadTextText": "S'està baixant el full de càlcul...", + "SSE.ApplicationController.errorAccessDeny": "No teniu permisos per realitzar aquesta acció.
Contacteu amb l'administrador del servidor de documents.", + "SSE.ApplicationController.errorDefaultMessage": "Codi d'error: %1", "SSE.ApplicationController.errorFilePassProtect": "El fitxer està protegit amb contrasenya i no es pot obrir.", - "SSE.ApplicationController.errorFileSizeExceed": "La mida del fitxer supera el límit establert pel teu servidor. Contacta amb el teu administrador del servidor de documents per obtenir més informació.", - "SSE.ApplicationController.errorForceSave": "S'ha produït un error en desar el fitxer. Utilitza l'opció \"Baixa-ho com a\" per desar el fitxer al disc dur de l’ordinador o torna-ho a provar més endavant.", - "SSE.ApplicationController.errorLoadingFont": "No s'han carregat els tipus de lletra.
Contacta amb l'administrador del Servidor de Documents.", - "SSE.ApplicationController.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacta amb l'administrador del servidor de documents.", - "SSE.ApplicationController.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.", - "SSE.ApplicationController.errorUserDrop": "Ara mateix no es pot accedir al fitxer.", + "SSE.ApplicationController.errorFileSizeExceed": "La mida del fitxer supera el límit establert per al servidor.
Contacteu amb l'administrador del servidor de documents per a obtenir més informació.", + "SSE.ApplicationController.errorForceSave": "S'ha produït un error en desar el fitxer. Utilitzeu l'opció «Anomena i baixa» per a desar el fitxer al disc dur de l’ordinador o torneu-ho a provar més endavant.", + "SSE.ApplicationController.errorLoadingFont": "No s'han carregat les famílies tipogràfiques.
Contacteu amb l'administrador del servidor de documents.", + "SSE.ApplicationController.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacteu amb l'administrador del servidor de documents.", + "SSE.ApplicationController.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 a assegurar-vos que no es perdi res i, després, torneu a carregar la pàgina.", + "SSE.ApplicationController.errorUserDrop": "No es pot accedir al fitxer.", "SSE.ApplicationController.notcriticalErrorTitle": "Advertiment", "SSE.ApplicationController.openErrorText": "S'ha produït un error en obrir el fitxer.", - "SSE.ApplicationController.scriptLoadError": "La connexió és massa lenta, alguns dels components no s’han pogut carregar. Torna a carregar la pàgina.", + "SSE.ApplicationController.scriptLoadError": "La connexió és massa lenta, alguns dels components no s'han pogut carregar. Torneu a carregar la pàgina.", "SSE.ApplicationController.textAnonymous": "Anònim", "SSE.ApplicationController.textGuest": "Convidat", "SSE.ApplicationController.textLoadingDocument": "S'està carregant el full de càlcul", "SSE.ApplicationController.textOf": "de", "SSE.ApplicationController.txtClose": "Tanca", "SSE.ApplicationController.unknownErrorText": "Error desconegut.", - "SSE.ApplicationController.unsupportedBrowserErrorText": "El teu navegador no és compatible.", - "SSE.ApplicationController.waitText": "Espera...", + "SSE.ApplicationController.unsupportedBrowserErrorText": "El vostre navegador no és compatible.", + "SSE.ApplicationController.waitText": "Espereu...", "SSE.ApplicationView.txtDownload": "Baixa", "SSE.ApplicationView.txtEmbed": "Incrusta", "SSE.ApplicationView.txtFileLocation": "Obre la ubicació del fitxer", - "SSE.ApplicationView.txtFullScreen": "Pantalla sencera", + "SSE.ApplicationView.txtFullScreen": "Pantalla completa", "SSE.ApplicationView.txtPrint": "Imprimeix", "SSE.ApplicationView.txtShare": "Comparteix" } \ No newline at end of file diff --git a/apps/spreadsheeteditor/embed/locale/es.json b/apps/spreadsheeteditor/embed/locale/es.json index a8f4405a0..775c9c64e 100644 --- a/apps/spreadsheeteditor/embed/locale/es.json +++ b/apps/spreadsheeteditor/embed/locale/es.json @@ -1,38 +1,38 @@ { "common.view.modals.txtCopy": "Copiar al portapapeles", - "common.view.modals.txtEmbed": "Incorporar", + "common.view.modals.txtEmbed": "Insertar", "common.view.modals.txtHeight": "Altura", "common.view.modals.txtShare": "Compartir enlace", "common.view.modals.txtWidth": "Ancho", - "SSE.ApplicationController.convertationErrorText": "Fallo de conversión.", - "SSE.ApplicationController.convertationTimeoutText": "Límite de tiempo de conversión está superado.", + "SSE.ApplicationController.convertationErrorText": "Se ha producido un error en la conversión.", + "SSE.ApplicationController.convertationTimeoutText": "Se ha superado el tiempo de conversión.", "SSE.ApplicationController.criticalErrorTitle": "Error", - "SSE.ApplicationController.downloadErrorText": "Fallo en descarga.", + "SSE.ApplicationController.downloadErrorText": "Se ha producido un error en la descarga", "SSE.ApplicationController.downloadTextText": "Descargando hoja de cálculo...", - "SSE.ApplicationController.errorAccessDeny": "Usted no tiene permisos para realizar la acción que está intentando hacer.
Por favor, contacte con su Administrador del Servidor de Documentos.", + "SSE.ApplicationController.errorAccessDeny": "Está intentando realizar una acción para la que no tiene permiso.
Contacte con el administrador del servidor de documentos.", "SSE.ApplicationController.errorDefaultMessage": "Código de error: %1", - "SSE.ApplicationController.errorFilePassProtect": "El archivo está protegido por una contraseña y no puede ser abierto.", - "SSE.ApplicationController.errorFileSizeExceed": "El tamaño del archivo excede la limitación establecida para su servidor. Póngase en contacto con el administrador del Servidor de documentos para obtener más información.", - "SSE.ApplicationController.errorForceSave": "Ha ocurrido un error al guardar el archivo. Por favor, use la opción \"Descargar como\" para guardar el archivo en el disco duro de su ordenador o inténtelo de nuevo más tarde.", - "SSE.ApplicationController.errorLoadingFont": "Las fuentes no están cargadas.
Por favor, póngase en contacto con el administrador del Document Server.", - "SSE.ApplicationController.errorTokenExpire": "El token de seguridad del documento ha expirado.
Por favor, póngase en contacto con el administrador del Servidor de Documentos.", - "SSE.ApplicationController.errorUpdateVersionOnDisconnect": "La conexión a Internet ha sido restaurada, y la versión del archivo ha sido cambiada. Antes de poder seguir trabajando, es necesario descargar el archivo o copiar su contenido para asegurarse de que no se pierda nada, y luego recargar esta página.", - "SSE.ApplicationController.errorUserDrop": "No se puede acceder al archivo ahora mismo.", - "SSE.ApplicationController.notcriticalErrorTitle": "Aviso", + "SSE.ApplicationController.errorFilePassProtect": "El archivo está protegido por una contraseña y no se puede abrir.", + "SSE.ApplicationController.errorFileSizeExceed": "El tamaño del archivo supera el límiete establecido por su servidor.
Contacte con el administrador del servidor de documentos para obtener más detalles.", + "SSE.ApplicationController.errorForceSave": "Se ha producido un error al guardar el archivo. Utilice la opción \"Descargar como\" para guardar el archivo en el disco duro de su ordenador o inténtelo más tarde.", + "SSE.ApplicationController.errorLoadingFont": "Los tipos de letra no están cargados.
Contacte con el administrador del servidor de documentos.", + "SSE.ApplicationController.errorTokenExpire": "El token de seguridad del documento ha expirado.
Contacte con el administrador del servidor de documentos", + "SSE.ApplicationController.errorUpdateVersionOnDisconnect": "Se ha restablecido la conexión a Internet y se ha cambiado la versión del archivo.
Para poder seguir trabajando, es necesario descargar el archivo o copiar su contenido para asegurarse de que no se ha perdido nada, y luego volver a cargar esta página.", + "SSE.ApplicationController.errorUserDrop": "No se puede acceder al archivo.", + "SSE.ApplicationController.notcriticalErrorTitle": "Advertencia", "SSE.ApplicationController.openErrorText": "Se ha producido un error al abrir el archivo. ", - "SSE.ApplicationController.scriptLoadError": "La conexión a Internet es demasiado lenta, no se podía cargar algunos componentes. Por favor, recargue la página.", + "SSE.ApplicationController.scriptLoadError": "La conexión a Internet es demasiado lenta, algunos de los componentes no se han podido cargar. Recargue la página.", "SSE.ApplicationController.textAnonymous": "Anónimo", "SSE.ApplicationController.textGuest": "Invitado", "SSE.ApplicationController.textLoadingDocument": "Cargando hoja de cálculo", "SSE.ApplicationController.textOf": "de", "SSE.ApplicationController.txtClose": "Cerrar", "SSE.ApplicationController.unknownErrorText": "Error desconocido.", - "SSE.ApplicationController.unsupportedBrowserErrorText": "Su navegador no está soportado.", - "SSE.ApplicationController.waitText": "Por favor, espere...", + "SSE.ApplicationController.unsupportedBrowserErrorText": "Su navegador no es compatible.", + "SSE.ApplicationController.waitText": "Espere...", "SSE.ApplicationView.txtDownload": "Descargar", - "SSE.ApplicationView.txtEmbed": "Incorporar", + "SSE.ApplicationView.txtEmbed": "Insertar", "SSE.ApplicationView.txtFileLocation": "Abrir ubicación del archivo", - "SSE.ApplicationView.txtFullScreen": "Pantalla Completa", + "SSE.ApplicationView.txtFullScreen": "Pantalla completa", "SSE.ApplicationView.txtPrint": "Imprimir", "SSE.ApplicationView.txtShare": "Compartir" } \ No newline at end of file diff --git a/apps/spreadsheeteditor/embed/locale/id.json b/apps/spreadsheeteditor/embed/locale/id.json index afbabafcc..74414bda4 100644 --- a/apps/spreadsheeteditor/embed/locale/id.json +++ b/apps/spreadsheeteditor/embed/locale/id.json @@ -1,30 +1,33 @@ { - "common.view.modals.txtCopy": "Salin ke papan klip", + "common.view.modals.txtCopy": "Disalin ke papan klip", "common.view.modals.txtEmbed": "Melekatkan", "common.view.modals.txtHeight": "Tinggi", "common.view.modals.txtShare": "Bagi tautan", "common.view.modals.txtWidth": "Lebar", - "SSE.ApplicationController.convertationErrorText": "Perubahan gagal", - "SSE.ApplicationController.convertationTimeoutText": "Perubahan melebihi batas waktu", + "SSE.ApplicationController.convertationErrorText": "Konversi gagal.", + "SSE.ApplicationController.convertationTimeoutText": "Waktu konversi habis.", "SSE.ApplicationController.criticalErrorTitle": "Kesalahan", - "SSE.ApplicationController.downloadErrorText": "Gagal mengunduh", + "SSE.ApplicationController.downloadErrorText": "Unduhan gagal.", "SSE.ApplicationController.downloadTextText": "Mengunduh spread sheet", "SSE.ApplicationController.errorAccessDeny": "Kamu mencoba melakukan", "SSE.ApplicationController.errorDefaultMessage": "Kode kesalahan %1", - "SSE.ApplicationController.errorFilePassProtect": "File di lindungi kata sandi dab tidak dapat dibuka", + "SSE.ApplicationController.errorFilePassProtect": "Dokumen dilindungi dengan kata sandi dan tidak dapat dibuka.", "SSE.ApplicationController.errorFileSizeExceed": "Dokumen melebihi ukuran ", "SSE.ApplicationController.errorUpdateVersionOnDisconnect": "Huhungan internet telah", "SSE.ApplicationController.errorUserDrop": "File tidak dapat di akses", "SSE.ApplicationController.notcriticalErrorTitle": "Peringatan", "SSE.ApplicationController.scriptLoadError": "Hubungan terlalu lambat", + "SSE.ApplicationController.textGuest": "Tamu", "SSE.ApplicationController.textLoadingDocument": "Memuat spread sheet", "SSE.ApplicationController.textOf": "Dari", "SSE.ApplicationController.txtClose": "Tutup", - "SSE.ApplicationController.unknownErrorText": "Kesalahan tidak diketahui", + "SSE.ApplicationController.unknownErrorText": "Error tidak dikenal.", "SSE.ApplicationController.unsupportedBrowserErrorText": "Peramban kamu tidak didukung", - "SSE.ApplicationController.waitText": "Mohon menunggu", + "SSE.ApplicationController.waitText": "Silahkan menunggu", "SSE.ApplicationView.txtDownload": "Unduh", "SSE.ApplicationView.txtEmbed": "Melekatkan", + "SSE.ApplicationView.txtFileLocation": "Buka Dokumen", "SSE.ApplicationView.txtFullScreen": "Layar penuh", - "SSE.ApplicationView.txtShare": "Bagi" + "SSE.ApplicationView.txtPrint": "Cetak", + "SSE.ApplicationView.txtShare": "Bagikan" } \ No newline at end of file diff --git a/apps/spreadsheeteditor/embed/locale/sv.json b/apps/spreadsheeteditor/embed/locale/sv.json index 1b3b569ab..95909bf82 100644 --- a/apps/spreadsheeteditor/embed/locale/sv.json +++ b/apps/spreadsheeteditor/embed/locale/sv.json @@ -13,9 +13,13 @@ "SSE.ApplicationController.errorDefaultMessage": "Felkod: %1", "SSE.ApplicationController.errorFilePassProtect": "Dokumentet är lösenordsskyddat och kunde inte öppnas. ", "SSE.ApplicationController.errorFileSizeExceed": "Filstorleken överskrider gränsen för din server.
Var snäll och kontakta administratören för dokumentservern för mer information.", + "SSE.ApplicationController.errorForceSave": "Ett fel uppstod när filen sparades. Vänligen använd alternativet \"Spara som\" för att spara filen till din dator eller försök igen senare.", + "SSE.ApplicationController.errorLoadingFont": "Typsnittet är inte tillgängligt.
Vänligen kontakta dokumentserverns administratör.", + "SSE.ApplicationController.errorTokenExpire": "Dokumentets säkerhetstoken har upphört att gälla.
Vänligen kontakta dokumentserverns administratör.", "SSE.ApplicationController.errorUpdateVersionOnDisconnect": "Internetanslutningen har återställts och filversionen har ändrats.
Innan du fortsätter arbeta, ladda ner filen eller kopiera innehållet för att försäkra dig om att inte förlora något, ladda sedan om denna sida.", "SSE.ApplicationController.errorUserDrop": "Filen kan inte nås för tillfället. ", "SSE.ApplicationController.notcriticalErrorTitle": "Varning", + "SSE.ApplicationController.openErrorText": "Ett fel uppstod vid öppnandet av filen.", "SSE.ApplicationController.scriptLoadError": "Anslutningen är för långsam, vissa av komponenterna kunde inte laddas. Vänligen ladda om sidan.", "SSE.ApplicationController.textAnonymous": "Anonym", "SSE.ApplicationController.textGuest": "Gäst", diff --git a/apps/spreadsheeteditor/embed/locale/uk.json b/apps/spreadsheeteditor/embed/locale/uk.json index 985b253e9..9467549ba 100644 --- a/apps/spreadsheeteditor/embed/locale/uk.json +++ b/apps/spreadsheeteditor/embed/locale/uk.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": "Закрити", @@ -25,6 +31,8 @@ "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 74d763024..a9cf9cc1b 100644 --- a/apps/spreadsheeteditor/main/app.js +++ b/apps/spreadsheeteditor/main/app.js @@ -152,9 +152,9 @@ require([ 'Print', 'Toolbar', 'Statusbar', - 'Spellcheck', 'RightMenu', 'LeftMenu', + 'Spellcheck', 'Main', 'PivotTable', 'DataTab', @@ -177,9 +177,9 @@ require([ 'spreadsheeteditor/main/app/controller/CellEditor', 'spreadsheeteditor/main/app/controller/Toolbar', 'spreadsheeteditor/main/app/controller/Statusbar', - 'spreadsheeteditor/main/app/controller/Spellcheck', 'spreadsheeteditor/main/app/controller/RightMenu', 'spreadsheeteditor/main/app/controller/LeftMenu', + 'spreadsheeteditor/main/app/controller/Spellcheck', 'spreadsheeteditor/main/app/controller/Main', 'spreadsheeteditor/main/app/controller/Print', 'spreadsheeteditor/main/app/controller/PivotTable', diff --git a/apps/spreadsheeteditor/main/app/controller/LeftMenu.js b/apps/spreadsheeteditor/main/app/controller/LeftMenu.js index 1db7baf2f..6c691cf16 100644 --- a/apps/spreadsheeteditor/main/app/controller/LeftMenu.js +++ b/apps/spreadsheeteditor/main/app/controller/LeftMenu.js @@ -565,15 +565,15 @@ define([ 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 (!this.api.asc_findText(options)) { - var me = this; - Common.UI.info({ - msg: this.textNoTextFound, + var me = this; + this.api.asc_findText(options, function(resultCount) { + !resultCount && Common.UI.info({ + msg: me.textNoTextFound, callback: function() { me.dlgSearch.focus(); } }); - } + }); // } }, diff --git a/apps/spreadsheeteditor/main/app/controller/Main.js b/apps/spreadsheeteditor/main/app/controller/Main.js index 978fb6727..6a093031b 100644 --- a/apps/spreadsheeteditor/main/app/controller/Main.js +++ b/apps/spreadsheeteditor/main/app/controller/Main.js @@ -299,6 +299,14 @@ define([ } }); + Common.Utils.isChrome && $(document.body).on('keydown', 'textarea', function(e) {// chromium bug890248 (Bug 39614) + if (e.keyCode===Common.UI.Keys.PAGEUP || e.keyCode===Common.UI.Keys.PAGEDOWN) { + setTimeout(function(){ + $('#viewport').scrollLeft(0); + $('#viewport').scrollTop(0); + }, 0); + } + }); Common.NotificationCenter.on({ 'modal:show': function(e){ Common.Utils.ModalWindow.show(); @@ -1031,7 +1039,7 @@ define([ if (this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge) return; var licType = params.asc_getLicenseType(); - if (licType !== undefined && this.appOptions.canEdit && this.editorConfig.mode !== 'view' && + if (licType !== undefined && (this.appOptions.canEdit || this.appOptions.isRestrictedEdit) && this.editorConfig.mode !== 'view' && (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 && (this.appOptions.trialMode & Asc.c_oLicenseMode.Limited) !== 0)) this._state.licenseType = licType; @@ -1057,7 +1065,7 @@ define([ primary = 'buynow'; } - if (this._state.licenseType!==Asc.c_oLicenseResult.SuccessLimit && this.appOptions.isEdit) { + if (this._state.licenseType!==Asc.c_oLicenseResult.SuccessLimit && (this.appOptions.isEdit || this.appOptions.isRestrictedEdit)) { this.disableEditing(true); Common.NotificationCenter.trigger('api:disconnect'); } @@ -1230,10 +1238,12 @@ define([ this.appOptions.canUseReviewPermissions = this.appOptions.canLicense && (!!this.permissions.reviewGroups || this.appOptions.canLicense && this.editorConfig.customization && this.editorConfig.customization.reviewPermissions && (typeof (this.editorConfig.customization.reviewPermissions) == 'object')); this.appOptions.canUseCommentPermissions = this.appOptions.canLicense && !!this.permissions.commentGroups; + this.appOptions.canUseUserInfoPermissions = this.appOptions.canLicense && !!this.permissions.userInfoGroups; AscCommon.UserInfoParser.setParser(true); AscCommon.UserInfoParser.setCurrentName(this.appOptions.user.fullname); this.appOptions.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(this.permissions.reviewGroups, this.editorConfig.customization.reviewPermissions); this.appOptions.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(this.permissions.commentGroups); + this.appOptions.canUseUserInfoPermissions && AscCommon.UserInfoParser.setUserInfoPermissions(this.permissions.userInfoGroups); this.headerView.setUserName(AscCommon.UserInfoParser.getParsedName(AscCommon.UserInfoParser.getCurrentName())); } else this.appOptions.canModifyFilter = true; @@ -1269,7 +1279,7 @@ define([ 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); - this.appOptions.canBrandingExt && this.editorConfig.customization && Common.UI.FeaturesManager.init(this.editorConfig.customization.features); + this.editorConfig.customization && Common.UI.FeaturesManager.init(this.editorConfig.customization.features, this.appOptions.canBrandingExt); } this.appOptions.canUseHistory = this.appOptions.canLicense && this.editorConfig.canUseHistory && this.appOptions.canCoAuthoring && !this.appOptions.isOffline; @@ -2347,7 +2357,8 @@ define([ var me = this, shapegrouparray = [], - shapeStore = this.getCollection('ShapeGroups'); + shapeStore = this.getCollection('ShapeGroups'), + name_arr = {}; shapeStore.reset(); @@ -2362,12 +2373,15 @@ define([ width = 30 * cols; _.each(shapes[index], function(shape, idx){ + var name = me['txtShape_' + shape.Type]; arr.push({ data : {shapeType: shape.Type}, - tip : me['txtShape_' + shape.Type] || (me.textShape + ' ' + (idx+1)), + tip : name || (me.textShape + ' ' + (idx+1)), allowSelected : true, selected: false }); + if (name) + name_arr[shape.Type] = name; }); store.add(arr); shapegrouparray.push({ @@ -2383,6 +2397,7 @@ define([ setTimeout(function(){ me.getApplication().getController('Toolbar').onApiAutoShapes(); }, 50); + this.api.asc_setShapeNames(name_arr); }, fillTextArt: function(shapes){ diff --git a/apps/spreadsheeteditor/main/app/controller/Print.js b/apps/spreadsheeteditor/main/app/controller/Print.js index 9b869fb01..e8af354c4 100644 --- a/apps/spreadsheeteditor/main/app/controller/Print.js +++ b/apps/spreadsheeteditor/main/app/controller/Print.js @@ -106,6 +106,9 @@ define([ this.api.asc_drawPrintPreview(this._navigationPreview.currentPage); } }, this)); + + var eventname = (/Firefox/i.test(navigator.userAgent))? 'DOMMouseScroll' : 'mousewheel'; + this.printSettings.$previewBox.on(eventname, _.bind(this.onPreviewWheel, this)); }, setApi: function(o) { @@ -297,6 +300,7 @@ define([ onShowMainSettingsPrint: function() { this._changedProps = []; + this.printSettings.$previewBox.removeClass('hidden'); if (!this.isFillSheets) { this.isFillSheets = true; @@ -305,10 +309,16 @@ define([ this.fillPrintOptions(this.adjPrintParams, false); - var pageCount = this.api.asc_initPrintPreview('print-preview'); - this.updateNavigationButtons(0, pageCount); - this.printSettings.txtNumberPage.checkValidate(); + var opts = new Asc.asc_CDownloadOptions(null, Common.Utils.isChrome || Common.Utils.isSafari || Common.Utils.isOpera || Common.Utils.isGecko && Common.Utils.firefoxVersion>86); + opts.asc_setAdvancedOptions(this.adjPrintParams); + var pageCount = this.api.asc_initPrintPreview('print-preview', opts); + this.printSettings.$previewBox.toggleClass('hidden', !pageCount); + this.printSettings.$previewEmpty.toggleClass('hidden', !!pageCount); + if (!!pageCount) { + this.updateNavigationButtons(0, pageCount); + this.printSettings.txtNumberPage.checkValidate(); + } this._isPreviewVisible = true; }, @@ -633,6 +643,11 @@ define([ this.updateNavigationButtons(index, this._navigationPreview.pageCount); }, + onPreviewWheel: function (e) { + var forward = (e.deltaY || (e.detail && -e.detail) || e.wheelDelta) < 0; + this.onChangePreviewPage(forward); + }, + onKeypressPageNumber: function (input, e) { if (e.keyCode === Common.UI.Keys.RETURN) { var box = this.printSettings.$el.find('#print-number-page'), diff --git a/apps/spreadsheeteditor/main/app/controller/Spellcheck.js b/apps/spreadsheeteditor/main/app/controller/Spellcheck.js index 7a166723e..54e982183 100644 --- a/apps/spreadsheeteditor/main/app/controller/Spellcheck.js +++ b/apps/spreadsheeteditor/main/app/controller/Spellcheck.js @@ -254,6 +254,9 @@ define([ }, onSpellCheckVariantsFound: function (property) { + if (property===null && this._currentSpellObj === property && !(this.panelSpellcheck && this.panelSpellcheck.isVisible())) + return; + this._currentSpellObj = property; var arr = [], diff --git a/apps/spreadsheeteditor/main/app/controller/Toolbar.js b/apps/spreadsheeteditor/main/app/controller/Toolbar.js index 6dfbfa076..f2d4bf681 100644 --- a/apps/spreadsheeteditor/main/app/controller/Toolbar.js +++ b/apps/spreadsheeteditor/main/app/controller/Toolbar.js @@ -1572,7 +1572,6 @@ define([ !Common.Utils.ModalWindow.isVisible() && Common.UI.warning({ width: 500, - closable: false, msg: this.confirmAddFontName, buttons: ['yes', 'no'], primary: 'yes', @@ -1625,18 +1624,17 @@ define([ if (!value) { value = this._getApiTextSize(); - - Common.UI.warning({ - msg: this.textFontSizeErr, - callback: function() { - _.defer(function(btn) { - $('input', combo.cmpEl).focus(); - }) - } - }); - + setTimeout(function(){ + Common.UI.warning({ + msg: me.textFontSizeErr, + callback: function() { + _.defer(function(btn) { + $('input', combo.cmpEl).focus(); + }) + } + }); + }, 1); combo.setRawValue(value); - e.preventDefault(); return false; } @@ -3187,7 +3185,7 @@ define([ itemTemplate: _.template('
\">
'), groups: me.getApplication().getCollection('ShapeGroups'), parentMenu: me.toolbar.btnInsertShape.menu, - restoreHeight: 640, + restoreHeight: 652, textRecentlyUsed: me.textRecentlyUsed, recentShapes: recents ? JSON.parse(recents) : null }); @@ -3991,6 +3989,9 @@ define([ api: me.api, fontStore: me.fontStore, handler: function(dlg, result) { + if (result === 'ok') { + me.getApplication().getController('Print').updatePreview(); + } Common.NotificationCenter.trigger('edit:complete'); } }); diff --git a/apps/spreadsheeteditor/main/app/controller/ViewTab.js b/apps/spreadsheeteditor/main/app/controller/ViewTab.js index 1582e6050..a620e84cd 100644 --- a/apps/spreadsheeteditor/main/app/controller/ViewTab.js +++ b/apps/spreadsheeteditor/main/app/controller/ViewTab.js @@ -279,8 +279,10 @@ define([ if (this.view) { var current_theme = Common.UI.Themes.currentThemeId() || Common.UI.Themes.defaultThemeId(), menu_item = _.findWhere(this.view.btnInterfaceTheme.menu.items, {value: current_theme}); - this.view.btnInterfaceTheme.menu.clearAll(); - menu_item.setChecked(true, true); + if ( !!menu_item ) { + this.view.btnInterfaceTheme.menu.clearAll(); + menu_item.setChecked(true, true); + } } } diff --git a/apps/spreadsheeteditor/main/app/view/AutoFilterDialog.js b/apps/spreadsheeteditor/main/app/view/AutoFilterDialog.js index 42cbdeab6..c1102f49d 100644 --- a/apps/spreadsheeteditor/main/app/view/AutoFilterDialog.js +++ b/apps/spreadsheeteditor/main/app/view/AutoFilterDialog.js @@ -962,7 +962,7 @@ define([ _.extend(_options, { width : width || 450, - height : height || 265, + height : height || 277, contentWidth : (width - 50) || 400, header : false, cls : 'filter-dlg', @@ -973,7 +973,7 @@ define([ items : [], resizable : true, minwidth : 450, - minheight : 265 + minheight : 277 }, options); this.template = options.template || [ diff --git a/apps/spreadsheeteditor/main/app/view/CellSettings.js b/apps/spreadsheeteditor/main/app/view/CellSettings.js index f6f58591e..690341383 100644 --- a/apps/spreadsheeteditor/main/app/view/CellSettings.js +++ b/apps/spreadsheeteditor/main/app/view/CellSettings.js @@ -92,7 +92,7 @@ define([ this.GradColor = { values: [0, 100], colors: ['000000', 'ffffff'], currentIdx: 0}; this.fillControls = []; - this.gradientColorsStr=""; + this.gradientColorsStr="#000, #fff"; this.typeGradient = 90; this.render(); @@ -242,6 +242,9 @@ define([ { offsetx: 50, offsety: 100, type:270, subtype:3}, { offsetx: 100, offsety: 100, type:225, subtype:7} ]; + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = me.gradientColorsStr; + }); this.btnDirection = new Common.UI.Button({ cls : 'btn-large-dataview', @@ -263,7 +266,8 @@ define([ parentMenu: btn.menu, restoreHeight: 174, store: new Common.UI.DataViewStore(me._viewDataLinear), - itemTemplate: _.template('
') + itemTemplate: _.template('
') }); }); this.btnDirection.render($('#cell-button-direction')); @@ -1080,15 +1084,13 @@ define([ }, btnDirectionRedraw: function(slider, gradientColorsStr) { - this.gradientColorsStr = gradientColorsStr; - if (this.mnuDirectionPicker.dataViewItems.length == 1) - this.mnuDirectionPicker.dataViewItems[0].$el.children(0).css({'background': 'radial-gradient(' + gradientColorsStr + ')'}); - else - this.mnuDirectionPicker.dataViewItems.forEach(function (item) { - var type = item.model.get('type') + 90; - item.$el.children(0).css({'background': 'linear-gradient(' + type + 'deg, ' + gradientColorsStr + ')'}); - }); + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = gradientColorsStr; + }); + this.mnuDirectionPicker.store.each(function(item){ + item.set('gradientColorsStr', gradientColorsStr); + }, this); if (this.typeGradient == -1) this.btnDirection.$icon.css({'background': 'none'}); diff --git a/apps/spreadsheeteditor/main/app/view/ChartSettings.js b/apps/spreadsheeteditor/main/app/view/ChartSettings.js index f12008eeb..f16ce0bf7 100644 --- a/apps/spreadsheeteditor/main/app/view/ChartSettings.js +++ b/apps/spreadsheeteditor/main/app/view/ChartSettings.js @@ -127,6 +127,7 @@ define([ this.api = api; if (this.api) { this.api.asc_registerCallback('asc_onUpdateChartStyles', _.bind(this._onUpdateChartStyles, this)); + this.api.asc_registerCallback('asc_onAddChartStylesPreview', _.bind(this.onAddChartStylesPreview, this)); } return this; }, @@ -162,7 +163,7 @@ define([ if (this._state.ChartType !== type) { this.ShowCombinedProps(type); !(type===null || type==Asc.c_oAscChartTypeSettings.comboBarLine || type==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || - type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom) && this.updateChartStyles(this.api.asc_getChartPreviews(type)); + type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom) && this.updateChartStyles(this.api.asc_getChartPreviews(type, undefined, true)); this._state.ChartType = type; } @@ -176,23 +177,9 @@ define([ } else { value = this.chartProps.getStyle(); if (this._state.ChartStyle!==value || this._isChartStylesChanged) { - this.cmbChartStyle.suspendEvents(); - var rec = this.cmbChartStyle.menuPicker.store.findWhere({data: value}); - if (rec) - this.cmbChartStyle.menuPicker.selectRecord(rec); - else { - this.cmbChartStyle.fieldPicker.deselectAll(); - this.cmbChartStyle.menuPicker.deselectAll(); - } - this.cmbChartStyle.resumeEvents(); - - if (this._isChartStylesChanged) { - if (rec) - this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.getSelectedRec(),true); - else - this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.store.at(0), false); - } this._state.ChartStyle=value; + var arr = this.selectCurrentChartStyle(); + this._isChartStylesChanged && this.api.asc_generateChartPreviews(this._state.ChartType, arr); } } this._isChartStylesChanged = false; @@ -999,11 +986,53 @@ define([ Common.NotificationCenter.trigger('edit:complete', this); }, + selectCurrentChartStyle: function() { + if (!this.cmbChartStyle) return; + + this.cmbChartStyle.suspendEvents(); + var rec = this.cmbChartStyle.menuPicker.store.findWhere({data: this._state.ChartStyle}); + this.cmbChartStyle.menuPicker.selectRecord(rec); + this.cmbChartStyle.resumeEvents(); + + if (this._isChartStylesChanged) { + var currentRecords; + if (rec) + currentRecords = this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.getSelectedRec(), true); + else + currentRecords = this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.store.at(0), true); + if (currentRecords && currentRecords.length>0) { + var arr = []; + _.each(currentRecords, function(style, index){ + arr.push(style.get('data')); + }); + return arr; + } + } + }, + + onAddChartStylesPreview: function(styles){ + if (this._isEditType) return; + + if (styles && styles.length>0){ + var stylesStore = this.cmbChartStyle.menuPicker.store; + if (stylesStore) { + _.each(styles, function(item, index){ + var rec = stylesStore.findWhere({ + data: item.asc_getName() + }); + rec && rec.set('imageUrl', item.asc_getImage()); + }); + } + } + }, + _onUpdateChartStyles: function() { if (this.api && this._state.ChartType!==null && this._state.ChartType>-1 && !(this._state.ChartType==Asc.c_oAscChartTypeSettings.comboBarLine || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || - this._state.ChartType==Asc.c_oAscChartTypeSettings.comboAreaBar || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboCustom)) - this.updateChartStyles(this.api.asc_getChartPreviews(this._state.ChartType)); + this._state.ChartType==Asc.c_oAscChartTypeSettings.comboAreaBar || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboCustom)) { + this.updateChartStyles(this.api.asc_getChartPreviews(this._state.ChartType, undefined, true)); + this.api.asc_generateChartPreviews(this._state.ChartType, this.selectCurrentChartStyle()); + } }, updateChartStyles: function(styles) { @@ -1037,24 +1066,15 @@ define([ if (styles && styles.length>0){ var stylesStore = this.cmbChartStyle.menuPicker.store; if (stylesStore) { - var count = stylesStore.length; - if (count>0 && count==styles.length) { - var data = stylesStore.models; - _.each(styles, function(style, index){ - data[index].set('imageUrl', style.asc_getImage()); + var stylearray = []; + _.each(styles, function(item, index){ + stylearray.push({ + imageUrl: item.asc_getImage(), + data : item.asc_getName(), + tip : me.textStyle + ' ' + item.asc_getName() }); - } else { - var stylearray = [], - selectedIdx = -1; - _.each(styles, function(item, index){ - stylearray.push({ - imageUrl: item.asc_getImage(), - data : item.asc_getName(), - tip : me.textStyle + ' ' + item.asc_getName() - }); - }); - stylesStore.reset(stylearray, {silent: false}); - } + }); + stylesStore.reset(stylearray, {silent: false}); } } else { this.cmbChartStyle.menuPicker.store.reset(); diff --git a/apps/spreadsheeteditor/main/app/view/ChartTypeDialog.js b/apps/spreadsheeteditor/main/app/view/ChartTypeDialog.js index ea234ef63..13a6a14e8 100644 --- a/apps/spreadsheeteditor/main/app/view/ChartTypeDialog.js +++ b/apps/spreadsheeteditor/main/app/view/ChartTypeDialog.js @@ -123,6 +123,11 @@ define([ this.api = this.options.api; this.chartSettings = this.options.chartSettings; this.currentChartType = Asc.c_oAscChartTypeSettings.barNormal; + + this.wrapEvents = { + onAddChartStylesPreview: _.bind(this.onAddChartStylesPreview, this) + }; + this.api.asc_registerCallback('asc_onAddChartStylesPreview', this.wrapEvents.onAddChartStylesPreview); }, render: function() { @@ -173,7 +178,7 @@ define([ enableKeyEvents: this.options.enableKeyEvents, itemTemplate : _.template([ '
', - '', + ' style="visibility: hidden;" <% } %>/>', '<% if (typeof title !== "undefined") {%>', '<%= title %>', '<% } %>', @@ -221,6 +226,7 @@ define([ close: function () { this.api.asc_onCloseChartFrame(); + this.api.asc_unregisterCallback('asc_onAddChartStylesPreview', this.wrapEvents.onAddChartStylesPreview); Common.Views.AdvancedSettingsWindow.prototype.close.apply(this, arguments); }, @@ -258,8 +264,10 @@ define([ if (this.currentChartType==Asc.c_oAscChartTypeSettings.comboBarLine || this.currentChartType==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || this.currentChartType==Asc.c_oAscChartTypeSettings.comboAreaBar || this.currentChartType==Asc.c_oAscChartTypeSettings.comboCustom) { this.updateSeriesList(this.chartSettings.getSeries()); - } else - this.updateChartStyles(this.api.asc_getChartPreviews(this.currentChartType)); + } else { + this.updateChartStyles(this.api.asc_getChartPreviews(this.currentChartType, undefined, true)); + this.api.asc_generateChartPreviews(this.currentChartType); + } } }, @@ -310,8 +318,10 @@ define([ this.ShowHideSettings(this.currentChartType); if (isCombo) this.updateSeriesList(this.chartSettings.getSeries()); - else - this.updateChartStyles(this.api.asc_getChartPreviews(this.currentChartType)); + else { + this.updateChartStyles(this.api.asc_getChartPreviews(this.currentChartType, undefined, true)); + this.api.asc_generateChartPreviews(this.currentChartType); + } } else { picker.selectRecord(picker.store.findWhere({type: this.currentChartType}), true); } @@ -323,24 +333,15 @@ define([ if (styles && styles.length>0){ var stylesStore = this.stylesList.store; if (stylesStore) { - var count = stylesStore.length; - if (count>0 && count==styles.length) { - var data = stylesStore.models; - _.each(styles, function(style, index){ - data[index].set('imageUrl', style.asc_getImage()); + var stylearray = []; + _.each(styles, function(item, index){ + stylearray.push({ + imageUrl: item.asc_getImage(), + data : item.asc_getName(), + tip : me.textStyle + ' ' + item.asc_getName() }); - } else { - var stylearray = [], - selectedIdx = -1; - _.each(styles, function(item, index){ - stylearray.push({ - imageUrl: item.asc_getImage(), - data : item.asc_getName(), - tip : me.textStyle + ' ' + item.asc_getName() - }); - }); - stylesStore.reset(stylearray, {silent: false}); - } + }); + stylesStore.reset(stylearray, {silent: false}); } } else { this.stylesList.store.reset(); @@ -353,6 +354,21 @@ define([ this.chartSettings.putStyle(record.get('data')); }, + onAddChartStylesPreview: function(styles){ + var me = this; + if (styles && styles.length>0){ + var stylesStore = this.stylesList.store; + if (stylesStore) { + _.each(styles, function(item, index){ + var rec = stylesStore.findWhere({ + data: item.asc_getName() + }); + rec && rec.set('imageUrl', item.asc_getImage()); + }); + } + } + }, + updateSeriesList: function(series, index) { var arr = []; var store = this.seriesList.store; diff --git a/apps/spreadsheeteditor/main/app/view/DataTab.js b/apps/spreadsheeteditor/main/app/view/DataTab.js index 7c31722bd..c28e4ebce 100644 --- a/apps/spreadsheeteditor/main/app/view/DataTab.js +++ b/apps/spreadsheeteditor/main/app/view/DataTab.js @@ -220,7 +220,7 @@ define([ iconCls: 'toolbar__icon btn-data-validation', caption: this.capBtnTextDataValidation, disabled: true, - lock: [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.selSlicer, _set.lostConnect, _set.coAuth, _set.ruleFilter, _set.editPivot, _set.cantModifyFilter, _set.sheetLock, _set.wsLock], + lock: [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.selSlicer, _set.lostConnect, _set.coAuth, _set.editPivot, _set.cantModifyFilter, _set.sheetLock, _set.wsLock], dataHint: '1', dataHintDirection: 'bottom', dataHintOffset: 'small' diff --git a/apps/spreadsheeteditor/main/app/view/DocumentHolder.js b/apps/spreadsheeteditor/main/app/view/DocumentHolder.js index c6dccabdd..ee6847814 100644 --- a/apps/spreadsheeteditor/main/app/view/DocumentHolder.js +++ b/apps/spreadsheeteditor/main/app/view/DocumentHolder.js @@ -552,6 +552,7 @@ define([ me.ssMenu = new Common.UI.Menu({ cls: 'shifted-right', + restoreHeightAndTop: true, id : 'id-context-menu-cell', items : [ me.pmiCut, @@ -831,6 +832,7 @@ define([ this.imgMenu = new Common.UI.Menu({ cls: 'shifted-right', + restoreHeightAndTop: true, items: [ me.pmiImgCut, me.pmiImgCopy, diff --git a/apps/spreadsheeteditor/main/app/view/FileMenu.js b/apps/spreadsheeteditor/main/app/view/FileMenu.js index a68d507a3..a1f6f0520 100644 --- a/apps/spreadsheeteditor/main/app/view/FileMenu.js +++ b/apps/spreadsheeteditor/main/app/view/FileMenu.js @@ -448,7 +448,7 @@ define([ if (this.mode.canPrint) { var printPanel = SSE.getController('Print').getView('PrintWithPreview'); printPanel.menu = this; - this.panels['printpreview'] = printPanel.render(this.$el.find('#panel-print')); + !this.panels['printpreview'] && (this.panels['printpreview'] = printPanel.render(this.$el.find('#panel-print'))); } if ( Common.Controllers.Desktop.isActive() ) { diff --git a/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js b/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js index 82cd63734..eb5b6b202 100644 --- a/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js +++ b/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js @@ -500,7 +500,7 @@ define([ }); var regdata = [{ value: 0x042C }, { value: 0x0402 }, { value: 0x0405 }, { value: 0x0C07 }, { value: 0x0407 }, {value: 0x0807}, { value: 0x0408 }, { value: 0x0C09 }, { value: 0x0809 }, { value: 0x0409 }, { value: 0x0C0A }, { value: 0x080A }, - { value: 0x040B }, { value: 0x040C }, { value: 0x0410 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x040E }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, + { value: 0x040B }, { value: 0x040C }, { value: 0x100C }, { value: 0x0410 }, { value: 0x0810 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x040E }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, { value: 0x0816 }, { value: 0x0419 }, { value: 0x041B }, { value: 0x0424 }, { value: 0x081D }, { value: 0x041D }, { value: 0x041F }, { value: 0x0422 }, { value: 0x042A }, { value: 0x0804 }]; regdata.forEach(function(item) { var langinfo = Common.util.LanguageInfo.getLocalLanguageName(item.value); @@ -2235,6 +2235,9 @@ define([ '', '
', '
', + '', '
' ].join('')), @@ -2534,6 +2537,9 @@ define([ this.$el.on('click', '#print-header-footer-settings', _.bind(this.openHeaderSettings, this)); this.$headerSettings = $('#print-header-footer-settings'); + this.$previewBox = $('#print-preview-box'); + this.$previewEmpty = $('#print-preview-empty'); + if (_.isUndefined(this.scroller)) { this.scroller = new Common.UI.Scroller({ el: this.pnlSettings, @@ -2714,7 +2720,8 @@ define([ txtPage: 'Page', txtOf: 'of {0}', txtSheet: 'Sheet: {0}', - txtPageNumInvalid: 'Page number invalid' + txtPageNumInvalid: 'Page number invalid', + txtEmptyTable: 'There is nothing to print because the table is empty' }, SSE.Views.PrintWithPreview || {})); }); diff --git a/apps/spreadsheeteditor/main/app/view/ImageSettings.js b/apps/spreadsheeteditor/main/app/view/ImageSettings.js index 5fdf7fb1b..e8d6404d8 100644 --- a/apps/spreadsheeteditor/main/app/view/ImageSettings.js +++ b/apps/spreadsheeteditor/main/app/view/ImageSettings.js @@ -385,10 +385,10 @@ define([ itemTemplate: _.template('
\">
'), groups: me.application.getCollection('ShapeGroups'), parentMenu: me.btnChangeShape.menu, - restoreHeight: 640, + restoreHeight: 652, textRecentlyUsed: me.textRecentlyUsed, recentShapes: recents ? JSON.parse(recents) : null, - isFromImage: true + hideTextRect: true }); shapePicker.on('item:click', function(picker, item, record, e) { if (me.api) { diff --git a/apps/spreadsheeteditor/main/app/view/ShapeSettings.js b/apps/spreadsheeteditor/main/app/view/ShapeSettings.js index 87c9f1e7b..50ee3dfea 100644 --- a/apps/spreadsheeteditor/main/app/view/ShapeSettings.js +++ b/apps/spreadsheeteditor/main/app/view/ShapeSettings.js @@ -124,7 +124,7 @@ define([ this.txtKnit, this.txtLeather, this.txtBrownPaper, this.txtPapyrus, this.txtWood]; this.fillControls = []; - this.gradientColorsStr=""; + this.gradientColorsStr="#000, #fff"; this.typeGradient = 90; this.render(); @@ -461,8 +461,13 @@ define([ rawData = record; } - this.typeGradient = rawData.type + 90; - (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) ? this.GradLinearDirectionType = rawData.type : this.GradRadialDirectionIdx = 0; + if (this.GradFillType === Asc.c_oAscFillGradType.GRAD_LINEAR) { + this.GradLinearDirectionType = rawData.type; + this.typeGradient = rawData.type + 90; + } else { + this.GradRadialDirectionIdx = 0; + this.typeGradient = rawData.type; + } if (this.api) { if (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) { this.numGradientAngle.setValue(rawData.type, true); @@ -1144,13 +1149,13 @@ define([ btnDirectionRedraw: function(slider, gradientColorsStr) { this.gradientColorsStr = gradientColorsStr; - if (this.mnuDirectionPicker.dataViewItems.length == 1) - this.mnuDirectionPicker.dataViewItems[0].$el.children(0).css({'background': 'radial-gradient(' + gradientColorsStr + ')'}); - else - this.mnuDirectionPicker.dataViewItems.forEach(function (item) { - var type = item.model.get('type') + 90; - item.$el.children(0).css({'background': 'linear-gradient(' + type + 'deg, ' + gradientColorsStr + ')'}); - }); + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = gradientColorsStr; + }); + this._viewDataRadial.gradientColorsStr = this.gradientColorsStr; + this.mnuDirectionPicker.store.each(function(item){ + item.set('gradientColorsStr', gradientColorsStr); + }, this); if (this.typeGradient == -1) this.btnDirection.$icon.css({'background': 'none'}); @@ -1318,9 +1323,12 @@ define([ { type:270, subtype:3}, { type:225, subtype:7} ]; + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = me.gradientColorsStr; + }); this._viewDataRadial = [ - { type:2, subtype:5} + { type:2, subtype:5, gradientColorsStr: this.gradientColorsStr} ]; this.btnDirection = new Common.UI.Button({ @@ -1344,8 +1352,8 @@ define([ restoreHeight: 174, store: new Common.UI.DataViewStore(me._viewDataLinear), itemTemplate: _.template('
') + +'<% if(type!=2) {%>linear-gradient(<%= type + 90 %>deg,<%= gradientColorsStr %>)' + +' <%} else {%> radial-gradient(<%= gradientColorsStr %>) <%}%>;">
') }); }); this.btnDirection.render($('#shape-button-direction')); @@ -1705,7 +1713,7 @@ define([ itemTemplate: _.template('
\">
'), groups: me.application.getCollection('ShapeGroups'), parentMenu: me.btnChangeShape.menu, - restoreHeight: 640, + restoreHeight: 652, textRecentlyUsed: me.textRecentlyUsed, recentShapes: recents ? JSON.parse(recents) : null, hideTextRect: me._state.isFromImage || me._state.isFromSmartArtInternal, diff --git a/apps/spreadsheeteditor/main/app/view/TextArtSettings.js b/apps/spreadsheeteditor/main/app/view/TextArtSettings.js index 651d4fcbc..ef15aebd6 100644 --- a/apps/spreadsheeteditor/main/app/view/TextArtSettings.js +++ b/apps/spreadsheeteditor/main/app/view/TextArtSettings.js @@ -130,6 +130,8 @@ define([ this.TransformSettings = $('.textart-transform'); + this.gradientColorsStr="#000, #fff"; + this.typeGradient = 90 ; SSE.getCollection('Common.Collections.TextArt').bind({ reset: this.fillTextArt.bind(this) }); @@ -398,10 +400,7 @@ define([ this.mnuDirectionPicker.restoreHeight = 174; var record = this.mnuDirectionPicker.store.findWhere({type: this.GradLinearDirectionType}); this.mnuDirectionPicker.selectRecord(record, true); - if (record) - this.btnDirection.setIconCls('item-gradient ' + record.get('iconcls')); - else - this.btnDirection.setIconCls(''); + this.typeGradient = (record) ? this.GradLinearDirectionType + 90 : -1; this.numGradientAngle.setValue(this.GradLinearDirectionType, true); this.numGradientAngle.setDisabled(this._locked); } else if (this.GradFillType == Asc.c_oAscFillGradType.GRAD_PATH) { @@ -410,9 +409,9 @@ define([ this.mnuDirectionPicker.restoreHeight = 58; this.mnuDirectionPicker.selectByIndex(this.GradRadialDirectionIdx, true); if (this.GradRadialDirectionIdx>=0) - this.btnDirection.setIconCls('item-gradient ' + this._viewDataRadial[this.GradRadialDirectionIdx].iconcls); + this.typeGradient = this._viewDataRadial[this.GradRadialDirectionIdx].type; else - this.btnDirection.setIconCls(''); + this.typeGradient= -1; this.numGradientAngle.setValue(0, true); this.numGradientAngle.setDisabled(true); } @@ -452,7 +451,14 @@ define([ rawData = record; } - this.btnDirection.setIconCls('item-gradient ' + rawData.iconcls); + //this.btnDirection.setIconCls('item-gradient ' + rawData.iconcls); + if (this.GradFillType === Asc.c_oAscFillGradType.GRAD_LINEAR) { + this.GradLinearDirectionType = rawData.type; + this.typeGradient = rawData.type + 90; + } else { + this.GradRadialDirectionIdx = 0; + this.typeGradient = rawData.type; + } (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) ? this.GradLinearDirectionType = rawData.type : this.GradRadialDirectionIdx = 0; if (this.api) { if (this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR) { @@ -809,7 +815,7 @@ define([ this.onGradTypeSelect(this.cmbGradType, rec.attributes); } else { this.cmbGradType.setValue(''); - this.btnDirection.setIconCls(''); + this.typeGradient = -1; } this._state.GradFillType = this.GradFillType; } @@ -820,10 +826,7 @@ define([ this.GradLinearDirectionType=value; var record = this.mnuDirectionPicker.store.findWhere({type: value}); this.mnuDirectionPicker.selectRecord(record, true); - if (record) - this.btnDirection.setIconCls('item-gradient ' + record.get('iconcls')); - else - this.btnDirection.setIconCls(''); + this.typeGradient = (record)? value + 90 : -1; this.numGradientAngle.setValue(value, true); } } else @@ -856,10 +859,17 @@ define([ me.GradColor.values[index] = position; } }); + + var arrGrCollors=[]; + var scale=(this.GradFillType == Asc.c_oAscFillGradType.GRAD_LINEAR)?1:0.7; for (var index=0; index= this.GradColor.colors.length) { me.GradColor.currentIdx = 0; } @@ -1080,6 +1090,26 @@ define([ } }, + btnDirectionRedraw: function(slider, gradientColorsStr) { + this.gradientColorsStr = gradientColorsStr; + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = gradientColorsStr; + }); + this._viewDataRadial.gradientColorsStr = this.gradientColorsStr; + this.mnuDirectionPicker.store.each(function(item){ + item.set('gradientColorsStr', gradientColorsStr); + }, this); + + if (this.typeGradient == -1) + this.btnDirection.$icon.css({'background': 'none'}); + else if (this.typeGradient == 2) + this.btnDirection.$icon.css({'background': ('radial-gradient(' + gradientColorsStr + ')')}); + else + this.btnDirection.$icon.css({ + 'background': ('linear-gradient(' + this.typeGradient + 'deg, ' + gradientColorsStr + ')') + }); + }, + createDelayedControls: function() { var me = this; @@ -1222,18 +1252,21 @@ define([ this.lockedControls.push(this.cmbGradType); this._viewDataLinear = [ - { offsetx: 0, offsety: 0, type:45, subtype:-1, iconcls:'gradient-left-top' }, - { offsetx: 50, offsety: 0, type:90, subtype:4, iconcls:'gradient-top'}, - { offsetx: 100, offsety: 0, type:135, subtype:5, iconcls:'gradient-right-top'}, - { offsetx: 0, offsety: 50, type:0, subtype:6, iconcls:'gradient-left', cls: 'item-gradient-separator', selected: true}, - { offsetx: 100, offsety: 50, type:180, subtype:1, iconcls:'gradient-right'}, - { offsetx: 0, offsety: 100, type:315, subtype:2, iconcls:'gradient-left-bottom'}, - { offsetx: 50, offsety: 100, type:270, subtype:3, iconcls:'gradient-bottom'}, - { offsetx: 100, offsety: 100, type:225, subtype:7, iconcls:'gradient-right-bottom'} + { type:45, subtype:-1}, + { type:90, subtype:4}, + { type:135, subtype:5}, + { type:0, subtype:6, cls: 'item-gradient-separator', selected: true}, + { type:180, subtype:1}, + { type:315, subtype:2}, + { type:270, subtype:3}, + { type:225, subtype:7} ]; + _.each(this._viewDataLinear, function(item){ + item.gradientColorsStr = me.gradientColorsStr; + }); this._viewDataRadial = [ - { offsetx: 100, offsety: 150, type:2, subtype:5, iconcls:'gradient-radial-center'} + { type:2, subtype:5, gradientColorsStr: this.gradientColorsStr} ]; this.btnDirection = new Common.UI.Button({ @@ -1256,7 +1289,9 @@ define([ parentMenu: btn.menu, restoreHeight: 174, store: new Common.UI.DataViewStore(me._viewDataLinear), - itemTemplate: _.template('
') + itemTemplate: _.template('
') }); }); this.btnDirection.render($('#textart-button-direction')); diff --git a/apps/spreadsheeteditor/main/app/view/Toolbar.js b/apps/spreadsheeteditor/main/app/view/Toolbar.js index 040fc3da2..4e87d1e0e 100644 --- a/apps/spreadsheeteditor/main/app/view/Toolbar.js +++ b/apps/spreadsheeteditor/main/app/view/Toolbar.js @@ -948,6 +948,7 @@ define([ dataHint : '1', dataHintDirection: 'bottom', dataHintOffset : '-16, -4', + delayRenderTips: true, beforeOpenHandler: function(e) { var cmp = this, menu = cmp.openButton.menu, diff --git a/apps/spreadsheeteditor/main/app_dev.js b/apps/spreadsheeteditor/main/app_dev.js index c3253a8fe..746539606 100644 --- a/apps/spreadsheeteditor/main/app_dev.js +++ b/apps/spreadsheeteditor/main/app_dev.js @@ -142,9 +142,9 @@ require([ 'Print', 'Toolbar', 'Statusbar', - 'Spellcheck', 'RightMenu', 'LeftMenu', + 'Spellcheck', 'Main', 'PivotTable', 'DataTab', @@ -167,9 +167,9 @@ require([ 'spreadsheeteditor/main/app/controller/CellEditor', 'spreadsheeteditor/main/app/controller/Toolbar', 'spreadsheeteditor/main/app/controller/Statusbar', - 'spreadsheeteditor/main/app/controller/Spellcheck', 'spreadsheeteditor/main/app/controller/RightMenu', 'spreadsheeteditor/main/app/controller/LeftMenu', + 'spreadsheeteditor/main/app/controller/Spellcheck', 'spreadsheeteditor/main/app/controller/Main', 'spreadsheeteditor/main/app/controller/Print', 'spreadsheeteditor/main/app/controller/PivotTable', diff --git a/apps/spreadsheeteditor/main/locale/be.json b/apps/spreadsheeteditor/main/locale/be.json index bbbb99d24..80a167977 100644 --- a/apps/spreadsheeteditor/main/locale/be.json +++ b/apps/spreadsheeteditor/main/locale/be.json @@ -4,9 +4,14 @@ "Common.Controllers.Chat.textEnterMessage": "Увядзіце сюды сваё паведамленне", "Common.define.chartData.textArea": "Вобласць", "Common.define.chartData.textBar": "Лінія", + "Common.define.chartData.textBarNormal3d": "Трохвымерная гістаграма з групаваннем", + "Common.define.chartData.textBarNormal3dPerspective": "Трохвымерная гістаграма", + "Common.define.chartData.textBarStacked3d": "Трохвымерная састаўная гістаграма", + "Common.define.chartData.textBarStackedPer3d": "Трохвымерная састаўная гістаграма 100%", "Common.define.chartData.textCharts": "Дыяграмы", "Common.define.chartData.textColumn": "Гістаграма", "Common.define.chartData.textColumnSpark": "Гістаграма", + "Common.define.chartData.textHBarNormal3d": "Трохвымерная лінейная з групаваннем", "Common.define.chartData.textLine": "Графік", "Common.define.chartData.textLineSpark": "Графік", "Common.define.chartData.textPie": "Па крузе", @@ -15,7 +20,23 @@ "Common.define.chartData.textStock": "Біржа", "Common.define.chartData.textSurface": "Паверхня", "Common.define.chartData.textWinLossSpark": "Выйгрыш/параза", + "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.textBottom": "Ніжняе", + "Common.define.conditionalData.textContains": "Змяшчае", + "Common.define.conditionalData.textEnds": "Заканчваецца на", + "Common.define.conditionalData.textError": "Памылка", + "Common.define.conditionalData.textFormula": "Формула", + "Common.define.conditionalData.textGreater": "Больш", + "Common.define.conditionalData.textGreaterEq": "Больш альбо роўна", + "Common.define.conditionalData.textLessEq": "Менш альбо роўна", "Common.Translation.warnFileLocked": "Дакумент выкарыстоўваецца іншай праграмай. Вы можаце працягнуць рэдагаванне і захаваць яго як копію.", + "Common.UI.ButtonColored.textAutoColor": "Аўтаматычна", + "Common.UI.ButtonColored.textNewColor": "Дадаць новы адвольны колер", "Common.UI.ComboBorderSize.txtNoBorders": "Без межаў", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Без межаў", "Common.UI.ComboDataView.emptyComboText": "Без стыляў", @@ -39,6 +60,8 @@ "Common.UI.SynchronizeTip.textSynchronize": "Дакумент быў зменены іншым карыстальнікам.
Націсніце, каб захаваць свае змены і загрузіць абнаўленні.", "Common.UI.ThemeColorPalette.textStandartColors": "Стандартныя колеры", "Common.UI.ThemeColorPalette.textThemeColors": "Колеры тэмы", + "Common.UI.Themes.txtThemeDark": "Цёмная", + "Common.UI.Themes.txtThemeLight": "Светлая", "Common.UI.Window.cancelButtonText": "Скасаваць", "Common.UI.Window.closeButtonText": "Закрыць", "Common.UI.Window.noButtonText": "Не", @@ -60,6 +83,7 @@ "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": "Выдаліць", @@ -83,6 +107,7 @@ "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": "Закрыць", @@ -109,7 +134,7 @@ "Common.Views.Header.textBack": "Перайсці да дакументаў", "Common.Views.Header.textCompactView": "Схаваць панэль прылад", "Common.Views.Header.textHideLines": "Схаваць лінейкі", - "Common.Views.Header.textHideStatusBar": "Схаваць панэль стану", + "Common.Views.Header.textHideStatusBar": "Аб'яднаць панэлі радкоў і стану", "Common.Views.Header.textSaveBegin": "Захаванне…", "Common.Views.Header.textSaveChanged": "Зменена", "Common.Views.Header.textSaveEnd": "Усе змены захаваныя", @@ -127,6 +152,9 @@ "Common.Views.Header.tipViewUsers": "Прагляд карыстальнікаў і кіраванне правамі на доступ да дакумента", "Common.Views.Header.txtAccessRights": "Змяніць правы на доступ", "Common.Views.Header.txtRename": "Змяніць назву", + "Common.Views.History.textCloseHistory": "Закрыць гісторыю", + "Common.Views.History.textHideAll": "Схаваць падрабязныя змены", + "Common.Views.History.textShow": "Пашырыць", "Common.Views.ImageFromUrlDialog.textUrl": "Устаўце URL выявы:", "Common.Views.ImageFromUrlDialog.txtEmpty": "Гэтае поле неабходна запоўніць", "Common.Views.ImageFromUrlDialog.txtNotUrl": "Гэтае поле павінна быць URL-адрасам фармату \"http://www.example.com\"", @@ -144,6 +172,7 @@ "Common.Views.ListSettingsDialog.txtTitle": "Налады спіса", "Common.Views.ListSettingsDialog.txtType": "Тып", "Common.Views.OpenDialog.closeButtonText": "Закрыць файл", + "Common.Views.OpenDialog.textInvalidRange": "Хібны дыяпазон ячэек", "Common.Views.OpenDialog.txtAdvanced": "Дадаткова", "Common.Views.OpenDialog.txtColon": "Двукроп’е", "Common.Views.OpenDialog.txtComma": "Коска", @@ -241,6 +270,8 @@ "Common.Views.ReviewPopover.textOpenAgain": "Адкрыць зноў", "Common.Views.ReviewPopover.textReply": "Адказаць", "Common.Views.ReviewPopover.textResolve": "Вырашыць", + "Common.Views.ReviewPopover.txtDeleteTip": "Выдаліць", + "Common.Views.ReviewPopover.txtEditTip": "Рэдагаваць", "Common.Views.SaveAsDlg.textLoading": "Загрузка", "Common.Views.SaveAsDlg.textTitle": "Каталог для захавання", "Common.Views.SelectFileDlg.textLoading": "Загрузка", @@ -295,6 +326,9 @@ "Common.Views.SymbolTableDialog.textSymbols": "Сімвалы", "Common.Views.SymbolTableDialog.textTitle": "Сімвал", "Common.Views.SymbolTableDialog.textTradeMark": "Сімвал таварнага знака", + "Common.Views.UserNameDialog.textLabel": "Адмеціна:", + "Common.Views.UserNameDialog.textLabelError": "Адмеціна не можа быць пустой", + "SSE.Controllers.DataTab.textColumns": "Слупкі", "SSE.Controllers.DataTab.textWizard": "Тэкст па слупках", "SSE.Controllers.DataTab.txtExpand": "Пашырыць", "SSE.Controllers.DataTab.txtExpandRemDuplicates": "Даныя побач з абраным дыяпазонам не выдаляцца. Хочаце пашырыць абраны дыяпазон, каб уключыць даныя з вакольных ячэек, альбо працягнуць толькі з абраным дыяпазонам? ", @@ -466,6 +500,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}.", @@ -560,7 +595,7 @@ "SSE.Controllers.Main.errorWrongBracketsCount": "Ва ўведзенай формуле ёсць памылка.
Выкарыстана хібная колькасць дужак.", "SSE.Controllers.Main.errorWrongOperator": "Ва ўведзенай формуле ёсць памылка. Выкарыстаны хібны аператар.
Калі ласка, выпраўце памылку.", "SSE.Controllers.Main.errRemDuplicates": "Знойдзена і выдалена паўторных значэнняў: {0}, засталося непаўторных значэнняў: {1}.", - "SSE.Controllers.Main.leavePageText": "У электроннай табліцы ёсць незахаваныя змены. Каб захаваць іх, націсніце \"Застацца на гэтай старонцы\", пасля \"Захаваць\". Націсніце \"Сысці са старонкі\", каб скінуць усе незахаваныя змены.", + "SSE.Controllers.Main.leavePageText": "У электроннай табліцы ёсць незахаваныя змены. Каб захаваць іх, націсніце \"Застацца на гэтай старонцы\", пасля \"Захаваць\". Націсніце \"Пакінуць старонку\", каб скінуць усе незахаваныя змены.", "SSE.Controllers.Main.loadFontsTextText": "Загрузка даных…", "SSE.Controllers.Main.loadFontsTitleText": "Загрузка даных", "SSE.Controllers.Main.loadFontTextText": "Загрузка даных…", @@ -585,19 +620,24 @@ "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.textCustomLoader": "Звярніце ўвагу, што па ўмовах ліцэнзіі вы не можаце змяняць экран загрузкі.
Калі ласка, звярніцеся ў аддзел продажу.", + "SSE.Controllers.Main.textDisconnect": "Злучэнне страчана", + "SSE.Controllers.Main.textGuest": "Госць", "SSE.Controllers.Main.textHasMacros": "Файл змяшчае макрасы з аўтазапускам.
Хочаце запусціць макрасы?", + "SSE.Controllers.Main.textLearnMore": "Падрабязней", "SSE.Controllers.Main.textLoadingDocument": "Загрузка табліцы", "SSE.Controllers.Main.textNo": "Не", "SSE.Controllers.Main.textNoLicenseTitle": "Ліцэнзійнае абмежаванне", "SSE.Controllers.Main.textPaidFeature": "Платная функцыя", "SSE.Controllers.Main.textPleaseWait": "Аперацыя можа заняць больш часу. Калі ласка, пачакайце… ", - "SSE.Controllers.Main.textRemember": "Запомніць мой выбар", + "SSE.Controllers.Main.textRemember": "Запомніць мой выбар для ўсіх файлаў", "SSE.Controllers.Main.textShape": "Фігура", "SSE.Controllers.Main.textStrict": "Строгі рэжым", "SSE.Controllers.Main.textTryUndoRedo": "Функцыі скасавання і паўтору дзеянняў выключаныя ў хуткім рэжыме сумеснага рэдагавання.
Націсніце кнопку \"Строгі рэжым\", каб пераключыцца ў строгі рэжым сумеснага рэдагавання, каб рэдагаваць файл без іншых карыстальнікаў і адпраўляць змены толькі пасля іх захавання. Пераключацца паміж рэжымамі сумеснага рэдагавання можна з дапамогай дадатковых налад рэдактара.", @@ -620,15 +660,18 @@ "SSE.Controllers.Main.txtDate": "Дата", "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.txtLines": "Лініі", "SSE.Controllers.Main.txtMath": "Матэматычныя знакі", + "SSE.Controllers.Main.txtMonths": "Месяцы", "SSE.Controllers.Main.txtMultiSelect": "Масавы выбар (Alt+S) ", "SSE.Controllers.Main.txtPage": "Старонка", "SSE.Controllers.Main.txtPageOf": "Старонка %1 з %2", - "SSE.Controllers.Main.txtPages": "Старонак", + "SSE.Controllers.Main.txtPages": "Старонкі", "SSE.Controllers.Main.txtPreparedBy": "Падрыхтаваў", "SSE.Controllers.Main.txtPrintArea": "Вобласць_друку", "SSE.Controllers.Main.txtRectangles": "Прамавугольнікі", @@ -824,7 +867,7 @@ "SSE.Controllers.Main.txtStyle_Normal": "Звычайны", "SSE.Controllers.Main.txtStyle_Note": "Нататка", "SSE.Controllers.Main.txtStyle_Output": "Вывад", - "SSE.Controllers.Main.txtStyle_Percent": "У адсотках", + "SSE.Controllers.Main.txtStyle_Percent": "Адсотак", "SSE.Controllers.Main.txtStyle_Title": "Назва", "SSE.Controllers.Main.txtStyle_Total": "Агулам", "SSE.Controllers.Main.txtStyle_Warning_Text": "Тэкст папярэджання", @@ -836,6 +879,8 @@ "SSE.Controllers.Main.txtYAxis": "Вось Y", "SSE.Controllers.Main.unknownErrorText": "Невядомая памылка.", "SSE.Controllers.Main.unsupportedBrowserErrorText": "Ваш браўзер не падтрымліваецца.", + "SSE.Controllers.Main.uploadDocFileCountMessage": "Ніводнага дакумента не загружана. ", + "SSE.Controllers.Main.uploadDocSizeMessage": "Перасягнуты максімальны памер дакумента.", "SSE.Controllers.Main.uploadImageExtMessage": "Невядомы фармат выявы.", "SSE.Controllers.Main.uploadImageFileCountMessage": "Выяў не запампавана.", "SSE.Controllers.Main.uploadImageSizeMessage": "Перасягнуты максімальны памер выявы.", @@ -846,6 +891,8 @@ "SSE.Controllers.Main.warnBrowserZoom": "Бягучыя налады маштабу старонкі падтрымліваюцца браўзерам толькі часткова. Калі ласка, скінце да прадвызначанага значэння націснуўшы Ctrl+О.", "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,каб абмеркаваць асабістыя ўмовы ліцэнзіявання.", @@ -1175,14 +1222,14 @@ "SSE.Controllers.Toolbar.txtSymbol_mu": "Мю", "SSE.Controllers.Toolbar.txtSymbol_nabla": "Набла", "SSE.Controllers.Toolbar.txtSymbol_neq": "Не роўна", - "SSE.Controllers.Toolbar.txtSymbol_ni": "Утрымлівае як чальца", + "SSE.Controllers.Toolbar.txtSymbol_ni": "Утрымлівае як член", "SSE.Controllers.Toolbar.txtSymbol_not": "Знак адмаўлення", "SSE.Controllers.Toolbar.txtSymbol_notexists": "Не існуе", "SSE.Controllers.Toolbar.txtSymbol_nu": "Ню", "SSE.Controllers.Toolbar.txtSymbol_o": "Амікрон", "SSE.Controllers.Toolbar.txtSymbol_omega": "Амега", "SSE.Controllers.Toolbar.txtSymbol_partial": "Часны дыферэнцыял", - "SSE.Controllers.Toolbar.txtSymbol_percent": "Адсотак", + "SSE.Controllers.Toolbar.txtSymbol_percent": "У адсотках", "SSE.Controllers.Toolbar.txtSymbol_phi": "Фі", "SSE.Controllers.Toolbar.txtSymbol_pi": "Пі", "SSE.Controllers.Toolbar.txtSymbol_plus": "Плюс", @@ -1225,6 +1272,7 @@ "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Падзяляльнік разрадаў тысяч", "SSE.Views.AdvancedSeparatorDialog.textLabel": "Налады вызначэння лічбавых даных", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Дадатковыя налады", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(няма)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Адвольны фільтр", "SSE.Views.AutoFilterDialog.textAddSelection": "Дадаць вылучанае ў фільтр", "SSE.Views.AutoFilterDialog.textEmptyItem": "{Пустыя}", @@ -1287,12 +1335,13 @@ "SSE.Views.CellSettings.textGradient": "Градыент", "SSE.Views.CellSettings.textGradientColor": "Колер", "SSE.Views.CellSettings.textGradientFill": "Градыентная заліўка", + "SSE.Views.CellSettings.textItems": "элементаў", "SSE.Views.CellSettings.textLinear": "Лінейны", "SSE.Views.CellSettings.textNoFill": "Без заліўкі", "SSE.Views.CellSettings.textOrientation": "Арыентацыя тэксту", "SSE.Views.CellSettings.textPattern": "Узор", "SSE.Views.CellSettings.textPatternFill": "Узор", - "SSE.Views.CellSettings.textPosition": "Пазіцыя", + "SSE.Views.CellSettings.textPosition": "Пасада", "SSE.Views.CellSettings.textRadial": "Радыяльны", "SSE.Views.CellSettings.textSelectBorders": "Абярыце межы, да якіх патрэбна ўжыць абраны стыль", "SSE.Views.CellSettings.tipAddGradientPoint": "Дадаць кропку градыента", @@ -1350,6 +1399,7 @@ "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.textFirstPoint": "Першая кропка", @@ -1493,6 +1543,7 @@ "SSE.Views.CreatePivotDialog.textSelectData": "Абраць даныя", "SSE.Views.CreatePivotDialog.textTitle": "Стварыць зводную табліцу", "SSE.Views.CreatePivotDialog.txtEmpty": "Гэтае поле неабходна запоўніць", + "SSE.Views.CreateSparklineDialog.textInvalidRange": "Хібны дыяпазон ячэек", "SSE.Views.DataTab.capBtnGroup": "Згрупаваць", "SSE.Views.DataTab.capBtnTextCustomSort": "Адвольнае сартаванне", "SSE.Views.DataTab.capBtnTextRemDuplicates": "Выдаліць паўторы", @@ -1510,6 +1561,20 @@ "SSE.Views.DataTab.tipRemDuplicates": "Выдаліць з аркуша паўторныя радкі", "SSE.Views.DataTab.tipToColumns": "Падзяліць тэкст ячэйкі па слупках", "SSE.Views.DataTab.tipUngroup": "Разгрупаваць дыяпазон ячэек", + "SSE.Views.DataValidationDialog.textData": "Даныя", + "SSE.Views.DataValidationDialog.textFormula": "Формула", + "SSE.Views.DataValidationDialog.textMax": "Максімум", + "SSE.Views.DataValidationDialog.textMessage": "Паведамленне", + "SSE.Views.DataValidationDialog.textMin": "Мінімум", + "SSE.Views.DataValidationDialog.txtBetween": "паміж", + "SSE.Views.DataValidationDialog.txtDate": "Дата", + "SSE.Views.DataValidationDialog.txtDecimal": "Дзесятковыя знакі", + "SSE.Views.DataValidationDialog.txtEqual": "Роўна", + "SSE.Views.DataValidationDialog.txtGreaterThan": "Больш", + "SSE.Views.DataValidationDialog.txtGreaterThanOrEqual": "Больш альбо роўна", + "SSE.Views.DataValidationDialog.txtLessThan": "Менш за", + "SSE.Views.DataValidationDialog.txtLessThanOrEqual": "Менш альбо роўна", + "SSE.Views.DataValidationDialog.txtNotEqual": "Не роўна", "SSE.Views.DigitalFilterDialog.capAnd": "і", "SSE.Views.DigitalFilterDialog.capCondition1": "роўна", "SSE.Views.DigitalFilterDialog.capCondition10": "не заканчваецца на", @@ -1566,6 +1631,7 @@ "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": "Заліўка", @@ -1620,6 +1686,7 @@ "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": "Выдаліць", @@ -1641,7 +1708,7 @@ "SSE.Views.DocumentHolder.txtNumber": "Лічбавы", "SSE.Views.DocumentHolder.txtNumFormat": "Фармат нумара", "SSE.Views.DocumentHolder.txtPaste": "Уставіць", - "SSE.Views.DocumentHolder.txtPercentage": "У адсотках", + "SSE.Views.DocumentHolder.txtPercentage": "Адсотак", "SSE.Views.DocumentHolder.txtReapply": "Ужыць паўторна", "SSE.Views.DocumentHolder.txtRow": "Радок", "SSE.Views.DocumentHolder.txtRowHeight": "Вызначыць вышыню радка", @@ -1658,7 +1725,7 @@ "SSE.Views.DocumentHolder.txtSortFontColor": "Спачатку ячэйкі з вылучаным шрыфтам", "SSE.Views.DocumentHolder.txtSparklines": "Спарклайны", "SSE.Views.DocumentHolder.txtText": "Тэкст", - "SSE.Views.DocumentHolder.txtTextAdvanced": "Дадатковыя налады тэксту", + "SSE.Views.DocumentHolder.txtTextAdvanced": "Дадатковыя налады абзаца", "SSE.Views.DocumentHolder.txtTime": "Час", "SSE.Views.DocumentHolder.txtUngroup": "Разгрупаваць", "SSE.Views.DocumentHolder.txtWidth": "Шырыня", @@ -1707,6 +1774,7 @@ "SSE.Views.FileMenu.btnSaveCopyAsCaption": "Захаваць копію як…", "SSE.Views.FileMenu.btnSettingsCaption": "Дадатковыя налады…", "SSE.Views.FileMenu.btnToEditCaption": "Рэдагаваць табліцу", + "SSE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Стварыць новы", "SSE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Ужыць", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Дадаць аўтара", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Дадаць тэкст", @@ -1734,7 +1802,7 @@ "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": " Дадаваць версію ў сховішча пасля націскання кнопкі \"Захаваць\" або \"Ctrl+S\"", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Мова формул", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Прыклад: СУМ; МІН; МАКС; ПАДЛІК", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Уключыць адлюстраванне каментароў у тэксце", @@ -1758,7 +1826,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "Аўтаматычнае аднаўленне", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "Аўтазахаванне", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Выключана", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Захаваць на серверы", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Захаванне прамежкавых версій", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Кожную хвіліну", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Стыль спасылак", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCacheMode": "Прадвызначаны рэжым кэшу", @@ -1793,7 +1861,7 @@ "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": "У табліцу былі дададзеныя дзейныя подпісы. Табліца абароненая ад рэдагавання.", @@ -1802,6 +1870,40 @@ "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": "Аўтаматычна", + "SSE.Views.FormatRulesEditDlg.textAxis": "Восі", + "SSE.Views.FormatRulesEditDlg.textBold": "Тоўсты", + "SSE.Views.FormatRulesEditDlg.textBorder": "Мяжа", + "SSE.Views.FormatRulesEditDlg.textBordersStyle": "Стыль межаў", + "SSE.Views.FormatRulesEditDlg.textBottomBorders": "Ніжнія межы", + "SSE.Views.FormatRulesEditDlg.textClear": "Ачысціць", + "SSE.Views.FormatRulesEditDlg.textCustom": "Адвольны", + "SSE.Views.FormatRulesEditDlg.textDiagDownBorder": "Дыяганальная мяжа зверху ўніз", + "SSE.Views.FormatRulesEditDlg.textDiagUpBorder": "Дыяганальная мяжа знізу ўверх", + "SSE.Views.FormatRulesEditDlg.textFill": "Заліўка", + "SSE.Views.FormatRulesEditDlg.textFormat": "Фарматаванне", + "SSE.Views.FormatRulesEditDlg.textInvalidRange": "ПАМЫЛКА! хібны дыяпазон ячэек", + "SSE.Views.FormatRulesEditDlg.textItalic": "Курсіў", + "SSE.Views.FormatRulesEditDlg.textItem": "Элемент", + "SSE.Views.FormatRulesEditDlg.textLeftBorders": "Левыя межы", + "SSE.Views.FormatRulesEditDlg.textMiddleBorders": "Унутраныя гарызантальныя межы", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Дадаць новы адвольны колер", + "SSE.Views.FormatRulesEditDlg.textNoBorders": "Без межаў", + "SSE.Views.FormatRulesEditDlg.textNone": "Няма", + "SSE.Views.FormatRulesEditDlg.tipBorders": "Межы", + "SSE.Views.FormatRulesEditDlg.txtAccounting": "Фінансавы", + "SSE.Views.FormatRulesEditDlg.txtCurrency": "Грашовы", + "SSE.Views.FormatRulesEditDlg.txtDate": "Дата", + "SSE.Views.FormatRulesEditDlg.txtFraction": "Дроб", + "SSE.Views.FormatRulesManagerDlg.guestText": "Госць", + "SSE.Views.FormatRulesManagerDlg.textAbove": "Вышэй за сярэдняе", + "SSE.Views.FormatRulesManagerDlg.textBelow": "Ніжэй за сярэдняе", + "SSE.Views.FormatRulesManagerDlg.textDelete": "Выдаліць", + "SSE.Views.FormatRulesManagerDlg.textEdit": "Рэдагаваць", + "SSE.Views.FormatRulesManagerDlg.textFormat": "Фарматаванне", + "SSE.Views.FormatRulesManagerDlg.textNew": "Новы", "SSE.Views.FormatSettingsDialog.textCategory": "Катэгорыя", "SSE.Views.FormatSettingsDialog.textDecimal": "Дзесятковыя знакі", "SSE.Views.FormatSettingsDialog.textFormat": "Фармат", @@ -1873,8 +1975,8 @@ "SSE.Views.HeaderFooterDialog.textEven": "Цотная старонка", "SSE.Views.HeaderFooterDialog.textFileName": "Назва файла", "SSE.Views.HeaderFooterDialog.textFirst": "Першая старонка", - "SSE.Views.HeaderFooterDialog.textFooter": "Ніжні калантытул", - "SSE.Views.HeaderFooterDialog.textHeader": "Верхні калантытул", + "SSE.Views.HeaderFooterDialog.textFooter": "Ніжні калонтытул", + "SSE.Views.HeaderFooterDialog.textHeader": "Верхні калонтытул", "SSE.Views.HeaderFooterDialog.textInsert": "Уставіць", "SSE.Views.HeaderFooterDialog.textItalic": "Курсіў", "SSE.Views.HeaderFooterDialog.textLeft": "Злева", @@ -1891,7 +1993,7 @@ "SSE.Views.HeaderFooterDialog.textSubscript": "Падрадковыя", "SSE.Views.HeaderFooterDialog.textSuperscript": "Надрадковыя", "SSE.Views.HeaderFooterDialog.textTime": "Час", - "SSE.Views.HeaderFooterDialog.textTitle": "Налады калантытулаў", + "SSE.Views.HeaderFooterDialog.textTitle": "Налады калонтытулаў", "SSE.Views.HeaderFooterDialog.textUnderline": "Падкрэслены", "SSE.Views.HeaderFooterDialog.tipFontName": "Шрыфт", "SSE.Views.HeaderFooterDialog.tipFontSize": "Памер шрыфту", @@ -1995,7 +2097,7 @@ "SSE.Views.NamedRangeEditDlg.textInvalidName": "Назва мусіць пачынацца з літары альбо ніжняга падкрэслівання і не павінна змяшчаць непрыдатных сімвалаў.", "SSE.Views.NamedRangeEditDlg.textInvalidRange": "ПАМЫЛКА! хібны дыяпазон ячэек", "SSE.Views.NamedRangeEditDlg.textIsLocked": "ПАМЫЛКА! Гэты элемент рэдагуецца іншым карыстальнікам.", - "SSE.Views.NamedRangeEditDlg.textName": "Імя", + "SSE.Views.NamedRangeEditDlg.textName": "Назва", "SSE.Views.NamedRangeEditDlg.textReservedName": "Формулы ў ячэйках ужо змяшчаюць назву, якую вы спрабуеце выкарыстоўваць. Выкарыстайце іншую назву.", "SSE.Views.NamedRangeEditDlg.textScope": "Вобласць", "SSE.Views.NamedRangeEditDlg.textSelectData": "Абраць даныя", @@ -2097,6 +2199,8 @@ "SSE.Views.PivotDigitalFilterDialog.txtAnd": "і", "SSE.Views.PivotDigitalFilterDialog.txtTitleLabel": "Фільтр адмецін", "SSE.Views.PivotDigitalFilterDialog.txtTitleValue": "Фільтр значэнняў", + "SSE.Views.PivotGroupDialog.textBy": "На", + "SSE.Views.PivotGroupDialog.textDays": "дні", "SSE.Views.PivotSettings.textAdvanced": "Дадатковыя налады", "SSE.Views.PivotSettings.textColumns": "Слупкі", "SSE.Views.PivotSettings.textFields": "Абраць палі", @@ -2221,6 +2325,27 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "Абраць дыяпазон", "SSE.Views.PrintTitlesDialog.textTitle": "Друкаваць загалоўкі", "SSE.Views.PrintTitlesDialog.textTop": "Паўтараць радкі зверху", + "SSE.Views.PrintWithPreview.txtActualSize": "Актуальны памер", + "SSE.Views.PrintWithPreview.txtAllSheets": "Усе аркушы", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Бягучы аркуш", + "SSE.Views.PrintWithPreview.txtCustom": "Адвольны", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Адвольныя параметры", + "SSE.Views.PrintWithPreview.txtFitCols": "Умясціць усе слупкі на адной старонцы", + "SSE.Views.PrintWithPreview.txtFitPage": "Умясціць аркуш на адной старонцы", + "SSE.Views.PrintWithPreview.txtFitRows": "Умясціць усе радкі на адной старонцы", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Налады калонтытулаў", + "SSE.Views.PrintWithPreview.txtIgnore": "Ігнараваць вобласць друку", + "SSE.Views.PrintWithPreview.txtLandscape": "Альбомная", + "SSE.Views.PrintWithPreview.txtLeft": "Злева", + "SSE.Views.PrintWithPreview.txtMargins": "Палі", + "SSE.Views.ProtectDialog.textInvalidRange": "ПАМЫЛКА! хібны дыяпазон ячэек", + "SSE.Views.ProtectDialog.txtIncorrectPwd": "Паролі адрозніваюцца", + "SSE.Views.ProtectDialog.txtInsCols": "Уставіць слупкі", + "SSE.Views.ProtectRangesDlg.guestText": "Госць", + "SSE.Views.ProtectRangesDlg.textDelete": "Выдаліць", + "SSE.Views.ProtectRangesDlg.textEdit": "Рэдагаваць", + "SSE.Views.ProtectRangesDlg.textNew": "Новы", + "SSE.Views.ProtectRangesDlg.txtNo": "Не", "SSE.Views.RemoveDuplicatesDialog.textColumns": "Слупкі", "SSE.Views.RemoveDuplicatesDialog.textDescription": "Каб выдаліць паўторныя значэнні, абярыце адзін альбо некалькі слупкоў, якія іх змяшчаюць.", "SSE.Views.RemoveDuplicatesDialog.textHeaders": "Мае даныя змяшчаюць загалоўкі", @@ -2229,7 +2354,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": "Налады фігуры", @@ -2240,11 +2365,11 @@ "SSE.Views.RightMenu.txtTextArtSettings": "Налады Text Art", "SSE.Views.ScaleDialog.textAuto": "Аўта", "SSE.Views.ScaleDialog.textError": "Уведзена няправільнае значэнне.", - "SSE.Views.ScaleDialog.textFewPages": "старонкі", + "SSE.Views.ScaleDialog.textFewPages": "Старонкі", "SSE.Views.ScaleDialog.textFitTo": "Запоўніць не больш чым", "SSE.Views.ScaleDialog.textHeight": "Вышыня", "SSE.Views.ScaleDialog.textManyPages": "старонкі", - "SSE.Views.ScaleDialog.textOnePage": "старонка", + "SSE.Views.ScaleDialog.textOnePage": "Старонка", "SSE.Views.ScaleDialog.textScaleTo": "Вызначыць", "SSE.Views.ScaleDialog.textTitle": "Налады маштабу", "SSE.Views.ScaleDialog.textWidth": "Шырыня", @@ -2282,7 +2407,7 @@ "SSE.Views.ShapeSettings.textNoFill": "Без заліўкі", "SSE.Views.ShapeSettings.textOriginalSize": "Зыходны памер", "SSE.Views.ShapeSettings.textPatternFill": "Узор", - "SSE.Views.ShapeSettings.textPosition": "Пазіцыя", + "SSE.Views.ShapeSettings.textPosition": "Пасада", "SSE.Views.ShapeSettings.textRadial": "Радыяльны", "SSE.Views.ShapeSettings.textRotate90": "Павярнуць на 90°", "SSE.Views.ShapeSettings.textRotation": "Паварочванне", @@ -2361,7 +2486,7 @@ "SSE.Views.SignatureSettings.strSigner": "Падпісальнік", "SSE.Views.SignatureSettings.strValid": "Дзейныя подпісы", "SSE.Views.SignatureSettings.txtContinueEditing": "Рэдагаваць усё роўна", - "SSE.Views.SignatureSettings.txtEditWarning": "Пры рэдагаванні табліцы выдаляцца подпісы.
Сапраўды хочаце працягнуць? ", + "SSE.Views.SignatureSettings.txtEditWarning": "Пры рэдагаванні табліцы выдаляцца подпісы.
Працягнуць?", "SSE.Views.SignatureSettings.txtRequestedSignatures": "Гэтую табліцу неабходна падпісаць.", "SSE.Views.SignatureSettings.txtSigned": "У табліцу былі дададзеныя дзейныя подпісы. Табліца абароненая ад рэдагавання.", "SSE.Views.SignatureSettings.txtSignedInvalid": "Некаторыя з лічбавых подпісаў электроннай табліцы хібныя альбо іх немагчыма праверыць. Табліца абароненая ад рэдагавання.", @@ -2385,7 +2510,7 @@ "SSE.Views.SlicerSettings.textLock": "Адключыць змену памеру альбо перамяшчэнне", "SSE.Views.SlicerSettings.textNewOld": "ад новых да старых", "SSE.Views.SlicerSettings.textOldNew": "ад старых да новых", - "SSE.Views.SlicerSettings.textPosition": "Пазіцыя", + "SSE.Views.SlicerSettings.textPosition": "Пасада", "SSE.Views.SlicerSettings.textSize": "Памер", "SSE.Views.SlicerSettings.textSmallLarge": "ад малога да вялікага", "SSE.Views.SlicerSettings.textStyle": "Стыль", @@ -2509,7 +2634,7 @@ "SSE.Views.Spellcheck.txtSpelling": "Правапіс", "SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(Скапіяваць у канец)", "SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(Перамясціць у канец)", - "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Скапіяваць перад аркушам", + "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Уставіць перад аркушам", "SSE.Views.Statusbar.CopyDialog.textMoveBefore": "Перамясціць перад аркушам", "SSE.Views.Statusbar.filteredRecordsText": "Адфільтравана {0} з {1} запісаў", "SSE.Views.Statusbar.filteredText": "Рэжым фільтрацыі", @@ -2621,7 +2746,7 @@ "SSE.Views.TextArtSettings.textLinear": "Лінейны", "SSE.Views.TextArtSettings.textNoFill": "Без заліўкі", "SSE.Views.TextArtSettings.textPatternFill": "Узор", - "SSE.Views.TextArtSettings.textPosition": "Пазіцыя", + "SSE.Views.TextArtSettings.textPosition": "Пасада", "SSE.Views.TextArtSettings.textRadial": "Радыяльны", "SSE.Views.TextArtSettings.textSelectTexture": "Абраць", "SSE.Views.TextArtSettings.textStretch": "Расцягванне", @@ -2645,8 +2770,9 @@ "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.capBtnInsHeader": "Калонтытулы", "SSE.Views.Toolbar.capBtnInsSlicer": "Зводка", "SSE.Views.Toolbar.capBtnInsSymbol": "Сімвал", "SSE.Views.Toolbar.capBtnMargins": "Палі", @@ -2679,6 +2805,7 @@ "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": "Стыль межаў", @@ -2694,13 +2821,14 @@ "SSE.Views.Toolbar.textDiagUpBorder": "Дыяганальная мяжа знізу ўверх", "SSE.Views.Toolbar.textEntireCol": "Слупок", "SSE.Views.Toolbar.textEntireRow": "Радок", - "SSE.Views.Toolbar.textFewPages": "старонак", + "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": "Левыя межы", @@ -2714,7 +2842,7 @@ "SSE.Views.Toolbar.textMorePages": "Іншыя старонкі", "SSE.Views.Toolbar.textNewColor": "Дадаць новы адвольны колер", "SSE.Views.Toolbar.textNoBorders": "Без межаў", - "SSE.Views.Toolbar.textOnePage": "старонка", + "SSE.Views.Toolbar.textOnePage": "Старонка", "SSE.Views.Toolbar.textOutBorders": "Вонкавыя межы", "SSE.Views.Toolbar.textPageMarginsCustom": "Адвольныя палі", "SSE.Views.Toolbar.textPortrait": "Кніжная", @@ -2735,8 +2863,8 @@ "SSE.Views.Toolbar.textTabData": "Даныя", "SSE.Views.Toolbar.textTabFile": "Файл", "SSE.Views.Toolbar.textTabFormula": "Формула", - "SSE.Views.Toolbar.textTabHome": "Хатняя", - "SSE.Views.Toolbar.textTabInsert": "Уставіць", + "SSE.Views.Toolbar.textTabHome": "Асноўныя функцыі", + "SSE.Views.Toolbar.textTabInsert": "Устаўка", "SSE.Views.Toolbar.textTabLayout": "Макет", "SSE.Views.Toolbar.textTabProtect": "Абарона", "SSE.Views.Toolbar.textTabView": "Мініяцюра", @@ -2770,7 +2898,8 @@ "SSE.Views.Toolbar.tipDigStylePercent": "Стыль адсоткаў", "SSE.Views.Toolbar.tipEditChart": "Рэдагаваць дыяграму", "SSE.Views.Toolbar.tipEditChartData": "Абраць даныя", - "SSE.Views.Toolbar.tipEditHeader": "Рэдагаваць калантытулы", + "SSE.Views.Toolbar.tipEditChartType": "Змяніць тып дыяграмы", + "SSE.Views.Toolbar.tipEditHeader": "Рэдагаваць калонтытулы", "SSE.Views.Toolbar.tipFontColor": "Колер шрыфту", "SSE.Views.Toolbar.tipFontName": "Шрыфт", "SSE.Views.Toolbar.tipFontSize": "Памер шрыфту", @@ -2796,7 +2925,7 @@ "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": "Друкаваць загалоўкі", @@ -2844,7 +2973,7 @@ "SSE.Views.Toolbar.txtNoBorders": "Без межаў", "SSE.Views.Toolbar.txtNumber": "Лічбавы", "SSE.Views.Toolbar.txtPasteRange": "Уставіць назву", - "SSE.Views.Toolbar.txtPercentage": "У адсотках", + "SSE.Views.Toolbar.txtPercentage": "Адсотак", "SSE.Views.Toolbar.txtPound": "Фунт", "SSE.Views.Toolbar.txtRouble": "Расійскі рубель", "SSE.Views.Toolbar.txtScheme1": "Офіс", @@ -2933,6 +3062,7 @@ "SSE.Views.ViewTab.capBtnFreeze": "Замацаваць вобласці", "SSE.Views.ViewTab.capBtnSheetView": "Мініяцюра аркуша", "SSE.Views.ViewTab.textClose": "Закрыць", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Схаваць панэль стану", "SSE.Views.ViewTab.textCreate": "Новы", "SSE.Views.ViewTab.textDefault": "Прадвызначана", "SSE.Views.ViewTab.textFormula": "Панэль формул", diff --git a/apps/spreadsheeteditor/main/locale/ca.json b/apps/spreadsheeteditor/main/locale/ca.json index 8230ffb64..8e9b82dc2 100644 --- a/apps/spreadsheeteditor/main/locale/ca.json +++ b/apps/spreadsheeteditor/main/locale/ca.json @@ -114,6 +114,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Crea", "Common.UI.ExtendedColorDialog.textRGBErr": "El valor introduït no és correcte.
Introdueix un valor numèric entre 0 i 255.", "Common.UI.HSBColorPicker.textNoColor": "Cap color", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Amaga la contrasenya", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostra la contrasenya", "Common.UI.SearchDialog.textHighlight": "Ressalta els resultats", "Common.UI.SearchDialog.textMatchCase": "Sensible a majúscules i minúscules", "Common.UI.SearchDialog.textReplaceDef": "Introdueix el text de substitució", @@ -178,12 +180,14 @@ "Common.Views.Comments.mniAuthorDesc": "Autor de la Z a la A", "Common.Views.Comments.mniDateAsc": "Més antic", "Common.Views.Comments.mniDateDesc": "Més recent", + "Common.Views.Comments.mniFilterGroups": "Filtra per grup", "Common.Views.Comments.mniPositionAsc": "Des de dalt", "Common.Views.Comments.mniPositionDesc": "Des de baix", "Common.Views.Comments.textAdd": "Afegeix", "Common.Views.Comments.textAddComment": "Afegeix un comentari", "Common.Views.Comments.textAddCommentToDoc": "Afegeix un comentari al document", "Common.Views.Comments.textAddReply": "Afegeix una resposta", + "Common.Views.Comments.textAll": "Tot", "Common.Views.Comments.textAnonym": "Convidat", "Common.Views.Comments.textCancel": "Cancel·la", "Common.Views.Comments.textClose": "Tanca", @@ -197,6 +201,7 @@ "Common.Views.Comments.textResolve": "Resol", "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.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 ", @@ -251,7 +256,7 @@ "Common.Views.ListSettingsDialog.txtNone": "Cap", "Common.Views.ListSettingsDialog.txtOfText": "% del text", "Common.Views.ListSettingsDialog.txtSize": "Mida", - "Common.Views.ListSettingsDialog.txtStart": "Comença a", + "Common.Views.ListSettingsDialog.txtStart": "Inicia a", "Common.Views.ListSettingsDialog.txtSymbol": "Símbol", "Common.Views.ListSettingsDialog.txtTitle": "Configuració de la llista", "Common.Views.ListSettingsDialog.txtType": "Tipus", @@ -286,7 +291,7 @@ "Common.Views.Plugins.groupCaption": "Complements", "Common.Views.Plugins.strPlugins": "Complements", "Common.Views.Plugins.textLoading": "S'està carregant", - "Common.Views.Plugins.textStart": "Comença", + "Common.Views.Plugins.textStart": "Inici", "Common.Views.Plugins.textStop": "Atura", "Common.Views.Protection.hintAddPwd": "Xifra amb contrasenya", "Common.Views.Protection.hintPwd": "Canvia o suprimeix la contrasenya", @@ -364,6 +369,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Torna-ho a obrir", "Common.Views.ReviewPopover.textReply": "Respon", "Common.Views.ReviewPopover.textResolve": "Resol", + "Common.Views.ReviewPopover.textViewResolved": "No teniu permís per tornar a obrir el comentari", "Common.Views.ReviewPopover.txtDeleteTip": "Suprimeix", "Common.Views.ReviewPopover.txtEditTip": "Edita", "Common.Views.SaveAsDlg.textLoading": "S'està carregant", @@ -474,6 +480,7 @@ "SSE.Controllers.DocumentHolder.txtAddVer": "Afegeix una línia vertical", "SSE.Controllers.DocumentHolder.txtAlignToChar": "Alineació al caràcter", "SSE.Controllers.DocumentHolder.txtAll": "(Tots)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "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", "SSE.Controllers.DocumentHolder.txtAnd": "i", "SSE.Controllers.DocumentHolder.txtBegins": "Comença amb", "SSE.Controllers.DocumentHolder.txtBelowAve": "Per sota de la mitja", @@ -483,6 +490,7 @@ "SSE.Controllers.DocumentHolder.txtColumn": "Columna", "SSE.Controllers.DocumentHolder.txtColumnAlign": "Alineació de la columna", "SSE.Controllers.DocumentHolder.txtContains": "Conté", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "Retorna les cel·les de dades de la taula o les columnes de la taula especificades", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "Redueix la mida de l'argument", "SSE.Controllers.DocumentHolder.txtDeleteArg": "Suprimeix l'argument", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "Suprimeix el salt manual", @@ -506,6 +514,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Més gran o igual que", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "Caràcter sobre el text", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "Caràcter sota el text", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "Retorna les capçaleres de columna de la taula o de les columnes de la taula especificades", "SSE.Controllers.DocumentHolder.txtHeight": "Alçada", "SSE.Controllers.DocumentHolder.txtHideBottom": "Amaga la vora inferior", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Amaga el límit inferior", @@ -584,7 +593,9 @@ "SSE.Controllers.DocumentHolder.txtSorting": "Ordenació", "SSE.Controllers.DocumentHolder.txtSortSelected": "Ordena els objectes seleccionats", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Estira els claudàtors", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "Tria només aquesta fila de la columna especificada", "SSE.Controllers.DocumentHolder.txtTop": "Superior", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "Retorna el total de files de la taula o de les columnes de la taula especificades", "SSE.Controllers.DocumentHolder.txtUnderbar": "Barra sota el text", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Desfés l'expansió automàtica de la taula", "SSE.Controllers.DocumentHolder.txtUseTextImport": "Utilitza l'auxiliar d'importació de text", @@ -639,6 +650,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "L’operació no es pot realitzar perquè l’àrea conté cel·les filtrades.
Desactiva els filtres i torna-ho a provar.", "SSE.Controllers.Main.errorBadImageUrl": "L'URL de la imatge no és correcta", "SSE.Controllers.Main.errorCannotUngroup": "No es pot desagrupar. Per iniciar un esquema, selecciona les files o columnes de detall i agrupa-les.", + "SSE.Controllers.Main.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.", "SSE.Controllers.Main.errorChangeArray": "No pots canviar part d'una matriu.", "SSE.Controllers.Main.errorChangeFilteredRange": "Això canviarà un interval filtrat al full de càlcul.
Per completar aquesta tasca, suprimeix els filtres automàtics.", "SSE.Controllers.Main.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.", @@ -768,7 +780,8 @@ "SSE.Controllers.Main.textNo": "No", "SSE.Controllers.Main.textNoLicenseTitle": "S'ha assolit el límit de llicència", "SSE.Controllers.Main.textPaidFeature": "Funció de pagament", - "SSE.Controllers.Main.textPleaseWait": "L’operació pot trigar més temps del previst. Espera...", + "SSE.Controllers.Main.textPleaseWait": "L’operació pot trigar més temps del previst. Espereu...", + "SSE.Controllers.Main.textReconnect": "S'ha restablert la connexió", "SSE.Controllers.Main.textRemember": "Recorda la meva elecció per a tots els fitxers", "SSE.Controllers.Main.textRenameError": "El nom d'usuari no pot estar en blanc.", "SSE.Controllers.Main.textRenameLabel": "Introdueix un nom que s'utilitzarà per a la col·laboració", @@ -1060,6 +1073,7 @@ "SSE.Controllers.Statusbar.errorLastSheet": "El llibre de treball ha de tenir com a mínim un full de càlcul visible.", "SSE.Controllers.Statusbar.errorRemoveSheet": "No es pot suprimir el full de càlcul", "SSE.Controllers.Statusbar.strSheet": "Full", + "SSE.Controllers.Statusbar.textDisconnect": "S'ha perdut la connexió. S'està intentat connectar. Comproveu la configuració de connexió", "SSE.Controllers.Statusbar.textSheetViewTip": "Ets en mode de visualització de fulls. Els filtres i l'ordenació només són visibles per a vosaltres i per a aquells que encara són en aquesta visualització.", "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Ets en mode de vista del full. Els filtres només són visibles per a tu i per a aquells que encara són en aquesta vista.", "SSE.Controllers.Statusbar.warnDeleteSheet": "Els fulls de càlcul seleccionats poden contenir dades. Segur que vols continuar?", @@ -1085,6 +1099,7 @@ "SSE.Controllers.Toolbar.textPivot": "Taula dinàmica", "SSE.Controllers.Toolbar.textRadical": "Radicals", "SSE.Controllers.Toolbar.textRating": "Valoracions", + "SSE.Controllers.Toolbar.textRecentlyUsed": "S'ha utilitzat recentment", "SSE.Controllers.Toolbar.textScript": "Scripts", "SSE.Controllers.Toolbar.textShapes": "Formes", "SSE.Controllers.Toolbar.textSymbols": "Símbols", @@ -1426,7 +1441,9 @@ "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Separador de decimals", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Separador de milers", "SSE.Views.AdvancedSeparatorDialog.textLabel": "Configuració que es fa servir per reconèixer les dades numèriques", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "Qualificador del text", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Configuració avançada", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(cap)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Filtre personalitzat", "SSE.Views.AutoFilterDialog.textAddSelection": "Afegeix la selecció actual al filtre", "SSE.Views.AutoFilterDialog.textEmptyItem": "{En blanc}", @@ -1872,6 +1889,7 @@ "SSE.Views.DocumentHolder.textCrop": "Retalla", "SSE.Views.DocumentHolder.textCropFill": "Emplena", "SSE.Views.DocumentHolder.textCropFit": "Ajusta", + "SSE.Views.DocumentHolder.textEditPoints": "Edita els punts", "SSE.Views.DocumentHolder.textEntriesList": "Selecciona des d'una llista desplegable", "SSE.Views.DocumentHolder.textFlipH": "Capgira horitzontalment", "SSE.Views.DocumentHolder.textFlipV": "Capgira verticalment", @@ -2241,6 +2259,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Edita la norma del format", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Crea una norma de format", "SSE.Views.FormatRulesManagerDlg.guestText": "Convidat", + "SSE.Views.FormatRulesManagerDlg.lockText": "Blocat", "SSE.Views.FormatRulesManagerDlg.text1Above": "1 per sobre la mitjana de des. est.", "SSE.Views.FormatRulesManagerDlg.text1Below": "1 per sota la mitjana de des. est.", "SSE.Views.FormatRulesManagerDlg.text2Above": "2 per sobre la mitjana de des. est.", @@ -2402,6 +2421,7 @@ "SSE.Views.ImageSettings.textCrop": "Retalla", "SSE.Views.ImageSettings.textCropFill": "Emplena", "SSE.Views.ImageSettings.textCropFit": "Ajusta", + "SSE.Views.ImageSettings.textCropToShape": "Escapça per donar forma", "SSE.Views.ImageSettings.textEdit": "Edita", "SSE.Views.ImageSettings.textEditObject": "Edita l'objecte", "SSE.Views.ImageSettings.textFlip": "Capgira", @@ -2416,6 +2436,7 @@ "SSE.Views.ImageSettings.textInsert": "Substitueix la imatge", "SSE.Views.ImageSettings.textKeepRatio": "Proporcions constants", "SSE.Views.ImageSettings.textOriginalSize": "Mida real", + "SSE.Views.ImageSettings.textRecentlyUsed": "S'ha utilitzat recentment", "SSE.Views.ImageSettings.textRotate90": "Gira 90°", "SSE.Views.ImageSettings.textRotation": "Rotació", "SSE.Views.ImageSettings.textSize": "Mida", @@ -2493,6 +2514,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "Enganxa el nom", "SSE.Views.NameManagerDlg.closeButtonText": "Tanca", "SSE.Views.NameManagerDlg.guestText": "Convidat", + "SSE.Views.NameManagerDlg.lockText": "Blocat", "SSE.Views.NameManagerDlg.textDataRange": "Interval de dades", "SSE.Views.NameManagerDlg.textDelete": "Suprimeix", "SSE.Views.NameManagerDlg.textEdit": "Edita", @@ -2724,6 +2746,44 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "Selecciona un interval", "SSE.Views.PrintTitlesDialog.textTitle": "Imprimeix els títols", "SSE.Views.PrintTitlesDialog.textTop": "Repeteix files a la part superior", + "SSE.Views.PrintWithPreview.txtActualSize": "Mida real", + "SSE.Views.PrintWithPreview.txtAllSheets": "Tots els fulls", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Aplica-ho a tots els fulls", + "SSE.Views.PrintWithPreview.txtBottom": "Inferior", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Full de càlcul actual", + "SSE.Views.PrintWithPreview.txtCustom": "Personalització", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Opcions personalitzades", + "SSE.Views.PrintWithPreview.txtEmptyTable": "No hi ha res per imprimir perquè la taula és buida", + "SSE.Views.PrintWithPreview.txtFitCols": "Ajusta totes les columnes en una pàgina", + "SSE.Views.PrintWithPreview.txtFitPage": "Ajusta el full en una pàgina", + "SSE.Views.PrintWithPreview.txtFitRows": "Ajusta totes les files en una pàgina", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Línies de la quadrícula i encapçalaments", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Configuració de capçalera/peu de pàgina", + "SSE.Views.PrintWithPreview.txtIgnore": "Ignora l'àrea d'impressió", + "SSE.Views.PrintWithPreview.txtLandscape": "Orientació horitzontal", + "SSE.Views.PrintWithPreview.txtLeft": "Esquerra", + "SSE.Views.PrintWithPreview.txtMargins": "Marges", + "SSE.Views.PrintWithPreview.txtOf": "de {0}", + "SSE.Views.PrintWithPreview.txtPage": "Pàgina", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "El número de pàgina no és vàlid", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Orientació de la pàgina", + "SSE.Views.PrintWithPreview.txtPageSize": "Mida de la pàgina", + "SSE.Views.PrintWithPreview.txtPortrait": "Orientació vertical", + "SSE.Views.PrintWithPreview.txtPrint": "Imprimeix", + "SSE.Views.PrintWithPreview.txtPrintGrid": "Imprimeix les línies de la quadrícula", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "Imprimeix els títols de files i columnes", + "SSE.Views.PrintWithPreview.txtPrintRange": "Interval d'impressió", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Imprimeix els títols", + "SSE.Views.PrintWithPreview.txtRepeat": "Repeteix...", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "Repeteix columnes a l'esquerra", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "Repeteix files a la part superior", + "SSE.Views.PrintWithPreview.txtRight": "Dreta", + "SSE.Views.PrintWithPreview.txtSave": "Desa", + "SSE.Views.PrintWithPreview.txtScaling": "Escala", + "SSE.Views.PrintWithPreview.txtSelection": "Selecció", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Configuració del full", + "SSE.Views.PrintWithPreview.txtSheet": "Full: {0}", + "SSE.Views.PrintWithPreview.txtTop": "Superior", "SSE.Views.ProtectDialog.textExistName": "ERROR! L'interval amb aquest títol ja existeix", "SSE.Views.ProtectDialog.textInvalidName": "El títol de l'interval ha de començar amb una lletra i només pot contenir lletres, números i espais.", "SSE.Views.ProtectDialog.textInvalidRange": "ERROR! L'interval de cel·les no és vàlid", @@ -2758,6 +2818,7 @@ "SSE.Views.ProtectDialog.txtWBDescription": "Per evitar que altres usuaris vegin fulls de càlcul amagats, afegeixin, moguin, eliminin o amaguin fulls de càlcul i els canviïn el nom, pots protegir l'estructura del teu llibre de treball amb una contrasenya.", "SSE.Views.ProtectDialog.txtWBTitle": "Protegeix l'estructura de llibre de treball", "SSE.Views.ProtectRangesDlg.guestText": "Convidat", + "SSE.Views.ProtectRangesDlg.lockText": "Blocat", "SSE.Views.ProtectRangesDlg.textDelete": "Suprimeix", "SSE.Views.ProtectRangesDlg.textEdit": "Edita", "SSE.Views.ProtectRangesDlg.textEmpty": "No es permeten intervals per a l'edició.", @@ -2837,6 +2898,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "Patró", "SSE.Views.ShapeSettings.textPosition": "Posició", "SSE.Views.ShapeSettings.textRadial": "Radial", + "SSE.Views.ShapeSettings.textRecentlyUsed": "S'ha utilitzat recentment", "SSE.Views.ShapeSettings.textRotate90": "Gira 90°", "SSE.Views.ShapeSettings.textRotation": "Rotació", "SSE.Views.ShapeSettings.textSelectImage": "Selecciona una imatge", @@ -3098,6 +3160,7 @@ "SSE.Views.Statusbar.tipAddTab": "Afegeix un full de càlcul", "SSE.Views.Statusbar.tipFirst": "Desplaça al primer full", "SSE.Views.Statusbar.tipLast": "Desplaça fins a l'últim full", + "SSE.Views.Statusbar.tipListOfSheets": "Llista de fulls", "SSE.Views.Statusbar.tipNext": "Desplaça la llista de fulls a la dreta", "SSE.Views.Statusbar.tipPrev": "Desplaça la llista de fulls a l’esquerra", "SSE.Views.Statusbar.tipZoomFactor": "Zoom", @@ -3286,6 +3349,8 @@ "SSE.Views.Toolbar.textPageMarginsCustom": "Marges personalitzats", "SSE.Views.Toolbar.textPortrait": "Orientació vertical", "SSE.Views.Toolbar.textPrint": "Imprimeix", + "SSE.Views.Toolbar.textPrintGridlines": "Imprimeix les línies de la quadrícula", + "SSE.Views.Toolbar.textPrintHeadings": "Imprimeix les capçaleres", "SSE.Views.Toolbar.textPrintOptions": "Configuració d'impressió", "SSE.Views.Toolbar.textRight": "Dreta:", "SSE.Views.Toolbar.textRightBorders": "Vores de la dreta", @@ -3364,7 +3429,16 @@ "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", "SSE.Views.Toolbar.tipPageMargins": "Marges de la pàgina", "SSE.Views.Toolbar.tipPageOrient": "Orientació de la pàgina", @@ -3493,6 +3567,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "VarPobl", "SSE.Views.ViewManagerDlg.closeButtonText": "Tanca", "SSE.Views.ViewManagerDlg.guestText": "Convidat", + "SSE.Views.ViewManagerDlg.lockText": "Blocat", "SSE.Views.ViewManagerDlg.textDelete": "Suprimeix", "SSE.Views.ViewManagerDlg.textDuplicate": "Duplica", "SSE.Views.ViewManagerDlg.textEmpty": "Encara no s'ha creat cap visualització.", @@ -3508,7 +3583,9 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "Intentes suprimir la visualització '%1' que està activada.
Vols tancar aquesta vista i suprimir-la?", "SSE.Views.ViewTab.capBtnFreeze": "Immobilitza les subfinestres", "SSE.Views.ViewTab.capBtnSheetView": "Visualització del full", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "Mostra sempre la barra", "SSE.Views.ViewTab.textClose": "Tanca", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Combina fulls de càlcul i barres d'estat", "SSE.Views.ViewTab.textCreate": "Crea", "SSE.Views.ViewTab.textDefault": "Per defecte", "SSE.Views.ViewTab.textFormula": "Barra de fórmules", @@ -3516,7 +3593,9 @@ "SSE.Views.ViewTab.textFreezeRow": "Immobilitza la fila superior", "SSE.Views.ViewTab.textGridlines": "Línies de la quadrícula", "SSE.Views.ViewTab.textHeadings": "Capçaleres", + "SSE.Views.ViewTab.textInterfaceTheme": "Tema de la interfície", "SSE.Views.ViewTab.textManager": "Administrador de la visualització", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "Mostra l'ombra de les subfinestres immobilitzades", "SSE.Views.ViewTab.textUnFreeze": "Mobilitza subfinestres", "SSE.Views.ViewTab.textZeros": "Mostra zeros", "SSE.Views.ViewTab.textZoom": "Zoom", diff --git a/apps/spreadsheeteditor/main/locale/cs.json b/apps/spreadsheeteditor/main/locale/cs.json index a11fd4f94..8a1194bc3 100644 --- a/apps/spreadsheeteditor/main/locale/cs.json +++ b/apps/spreadsheeteditor/main/locale/cs.json @@ -114,6 +114,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nová", "Common.UI.ExtendedColorDialog.textRGBErr": "Zadaná hodnota není správná.
Zadejte hodnotu z rozmezí 0 až 255.", "Common.UI.HSBColorPicker.textNoColor": "Bez barvy", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Skrýt heslo", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Zobrazit heslo", "Common.UI.SearchDialog.textHighlight": "Zvýraznit výsledky", "Common.UI.SearchDialog.textMatchCase": "Rozlišovat malá a velká písmena", "Common.UI.SearchDialog.textReplaceDef": "Zadejte text, kterým nahradit", @@ -178,12 +180,14 @@ "Common.Views.Comments.mniAuthorDesc": "Autor Z až A", "Common.Views.Comments.mniDateAsc": "Nejstarší", "Common.Views.Comments.mniDateDesc": "Nejnovější", + "Common.Views.Comments.mniFilterGroups": "Filtrovat podle skupiny", "Common.Views.Comments.mniPositionAsc": "Shora", "Common.Views.Comments.mniPositionDesc": "Zdola", "Common.Views.Comments.textAdd": "Přidat", "Common.Views.Comments.textAddComment": "Přidat", "Common.Views.Comments.textAddCommentToDoc": "Přidat komentář k dokumentu", "Common.Views.Comments.textAddReply": "Přidat odpověď", + "Common.Views.Comments.textAll": "Vše", "Common.Views.Comments.textAnonym": "Návštěvník", "Common.Views.Comments.textCancel": "Storno", "Common.Views.Comments.textClose": "Zavřít", @@ -197,6 +201,7 @@ "Common.Views.Comments.textResolve": "Vyřešit", "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.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", @@ -364,6 +369,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Znovu otevřít", "Common.Views.ReviewPopover.textReply": "Odpovědět", "Common.Views.ReviewPopover.textResolve": "Vyřešit", + "Common.Views.ReviewPopover.textViewResolved": "Nemáte oprávnění pro opětovné otevírání komentářů", "Common.Views.ReviewPopover.txtDeleteTip": "Odstranit", "Common.Views.ReviewPopover.txtEditTip": "Upravit", "Common.Views.SaveAsDlg.textLoading": "Načítá se", @@ -474,6 +480,7 @@ "SSE.Controllers.DocumentHolder.txtAddVer": "Přidat svislou čáru", "SSE.Controllers.DocumentHolder.txtAlignToChar": "Zarovnat vůči znaku", "SSE.Controllers.DocumentHolder.txtAll": "(vše)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "Získá veškerý obsah tabulky, nebo definovaných sloupců tabulky tj. hlavičky, data a celkový počet řádků", "SSE.Controllers.DocumentHolder.txtAnd": "a", "SSE.Controllers.DocumentHolder.txtBegins": "Začíná na", "SSE.Controllers.DocumentHolder.txtBelowAve": "Podprůměrné", @@ -483,6 +490,7 @@ "SSE.Controllers.DocumentHolder.txtColumn": "Sloupec", "SSE.Controllers.DocumentHolder.txtColumnAlign": "Zarovnání sloupce", "SSE.Controllers.DocumentHolder.txtContains": "Obsahuje", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "Získá hodnotu buněk tabulky, nebo definovaných sloupců tabulky", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "Snížit velikost argumentu", "SSE.Controllers.DocumentHolder.txtDeleteArg": "Odstranit argument", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "Odstranit ruční zalomení", @@ -506,6 +514,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Větší nebo rovno", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "Znak nad textem", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "Znak pod textem", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "Získá hlavičky v tabulce, nebo hlavičky definovaných sloupců tabulky", "SSE.Controllers.DocumentHolder.txtHeight": "Výška", "SSE.Controllers.DocumentHolder.txtHideBottom": "Skrýt ohraničení dole", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Skrýt dolní limit", @@ -584,7 +593,9 @@ "SSE.Controllers.DocumentHolder.txtSorting": "Řazení", "SSE.Controllers.DocumentHolder.txtSortSelected": "Seřadit vybrané", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Roztáhnout závorky", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "Zvolte pouze tento řádek zadaného sloupce", "SSE.Controllers.DocumentHolder.txtTop": "Nahoře", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "Získá hodnotu celkového počtu řádků, nebo definovaných sloupců tabulky", "SSE.Controllers.DocumentHolder.txtUnderbar": "Čárka pod textem", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Vzít zpět automatické rozšíření tabulky", "SSE.Controllers.DocumentHolder.txtUseTextImport": "Použít průvodce importem textu", @@ -639,6 +650,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Operaci nelze provést, protože oblast obsahuje filtrované buňky.
Odkryjte filtrované prvky a zkuste to znovu.", "SSE.Controllers.Main.errorBadImageUrl": "URL adresa obrázku není správně", "SSE.Controllers.Main.errorCannotUngroup": "Seskupení není možné zrušit. Pro zahájení obrysu, vyberte podrobnost řádek nebo sloupců a seskupte je.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "Tento příkaz nelze použít na zabezpečený list. Pro použití příkazu, zrušte zabezpečení listu.
Může být vyžadováno zadání hesla.", "SSE.Controllers.Main.errorChangeArray": "Nemůžete měnit část pole.", "SSE.Controllers.Main.errorChangeFilteredRange": "Dojde ke změně rozsahu filtrů v listě.
Pro provedení je nutné vypnout automatické filtry.", "SSE.Controllers.Main.errorChangeOnProtectedSheet": "Buňka nebo graf, který se pokoušíte změnit je na zabezpečeném listu. Pro provedení změny, vypněte zabezpečení listu. Může být vyžadováno zadání hesla.", @@ -754,6 +766,11 @@ "SSE.Controllers.Main.textConvertEquation": "Tato rovnice byla vytvořena starou verzí editoru rovnic, která už není podporovaná. Pro její upravení, převeďte rovnici do formátu Office Math ML.
Převést nyní?", "SSE.Controllers.Main.textCustomLoader": "Mějte na paměti, že dle podmínek licence nejste oprávněni měnit zavaděč.
Pro získání nabídky se obraťte na naše obchodní oddělení.", "SSE.Controllers.Main.textDisconnect": "Spojení je ztraceno", + "SSE.Controllers.Main.textFillOtherRows": "Vyplnit ostatní řádky", + "SSE.Controllers.Main.textFormulaFilledAllRows": "Vzorec zadaný v {0} řádcích obsahuje data. Doplnění dat do ostatních řádků, může trvat několik minut.", + "SSE.Controllers.Main.textFormulaFilledAllRowsWithEmpty": "Vzorec je zadán zadaný prvních {0} řádcích. Doplnění dat do ostatních řádků, může trvat několik minut.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherHaveData": "Vzorec je zadaný pouze v prvních {0} řádcích, z důvodu ukládání do paměti. Dalších {1} řádků v tomto listu neobsahuje data. Data můžete zapsat manuálně.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherIsEmpty": "Vzorec je zadaný pouze v prvních {0} řádcích, z důvodu ukládání do paměti. Ostatní řádky v tomto listu neobsahují data.", "SSE.Controllers.Main.textGuest": "Návštěvník", "SSE.Controllers.Main.textHasMacros": "Soubor obsahuje automatická makra.
Opravdu chcete makra spustit?", "SSE.Controllers.Main.textLearnMore": "Více informací", @@ -764,6 +781,7 @@ "SSE.Controllers.Main.textNoLicenseTitle": "Došlo k dosažení limitu licence", "SSE.Controllers.Main.textPaidFeature": "Placená funkce", "SSE.Controllers.Main.textPleaseWait": "Operace může trvat déle, než se předpokládalo. Prosím čekejte…", + "SSE.Controllers.Main.textReconnect": "Spojení je obnovené", "SSE.Controllers.Main.textRemember": "Zapamatovat si mou volbu pro všechny soubory", "SSE.Controllers.Main.textRenameError": "Jméno uživatele nesmí být prázdné. ", "SSE.Controllers.Main.textRenameLabel": "Zadejte jméno, které bude použito pro spolupráci", @@ -1055,6 +1073,7 @@ "SSE.Controllers.Statusbar.errorLastSheet": "Sešit musí mít alespoň jeden viditelný list", "SSE.Controllers.Statusbar.errorRemoveSheet": "List se nedaří smazat.", "SSE.Controllers.Statusbar.strSheet": "List", + "SSE.Controllers.Statusbar.textDisconnect": "Spojení je ztraceno
Pokus o opětovné připojení. Zkontrolujte nastavení připojení.", "SSE.Controllers.Statusbar.textSheetViewTip": "Jste v režimu náhledu listu. Filtry a řazení je viditelné pouze pro Vás a uživatele v tomto náhledu. ", "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Jste v režimu náhledu listu. Filtry jsou viditelné pouze pro Vás a uživatele v tomto náhledu. ", "SSE.Controllers.Statusbar.warnDeleteSheet": "List může obsahovat data. Opravdu chcete pokračovat?", @@ -1080,6 +1099,7 @@ "SSE.Controllers.Toolbar.textPivot": "Kontingenční tabulka", "SSE.Controllers.Toolbar.textRadical": "Odmocniny", "SSE.Controllers.Toolbar.textRating": "Hodnocení", + "SSE.Controllers.Toolbar.textRecentlyUsed": "Nedávno použité", "SSE.Controllers.Toolbar.textScript": "Skripty", "SSE.Controllers.Toolbar.textShapes": "Obrazce", "SSE.Controllers.Toolbar.textSymbols": "Symboly", @@ -1421,7 +1441,9 @@ "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Oddělovač desetinných míst", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Oddělovač tisíců", "SSE.Views.AdvancedSeparatorDialog.textLabel": "Nastavení použitá pro rozpoznání číselných dat", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "Textový kvalifikátor", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Pokročilé nastavení", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(žádné)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Uživatelsky určený filtr", "SSE.Views.AutoFilterDialog.textAddSelection": "Přidat aktuální výběr k filtrování", "SSE.Views.AutoFilterDialog.textEmptyItem": "{Blanks}", @@ -1867,6 +1889,7 @@ "SSE.Views.DocumentHolder.textCrop": "Oříznout", "SSE.Views.DocumentHolder.textCropFill": "Výplň", "SSE.Views.DocumentHolder.textCropFit": "Přizpůsobit", + "SSE.Views.DocumentHolder.textEditPoints": "Upravit body", "SSE.Views.DocumentHolder.textEntriesList": "Vybrat z rozbalovacího seznamu", "SSE.Views.DocumentHolder.textFlipH": "Převrátit vodorovně", "SSE.Views.DocumentHolder.textFlipV": "Převrátit svisle", @@ -2236,6 +2259,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Upravit formátovací pravidlo", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Nové formátovací pravidlo", "SSE.Views.FormatRulesManagerDlg.guestText": "Návštěvník", + "SSE.Views.FormatRulesManagerDlg.lockText": "Uzamčeno", "SSE.Views.FormatRulesManagerDlg.text1Above": "Na 1 standardní odchylka výše průměru", "SSE.Views.FormatRulesManagerDlg.text1Below": "Na 1 standardní odchylka níže průměru", "SSE.Views.FormatRulesManagerDlg.text2Above": "2 Směrodatná odchylka nad průměrem", @@ -2397,6 +2421,7 @@ "SSE.Views.ImageSettings.textCrop": "Oříznout", "SSE.Views.ImageSettings.textCropFill": "Výplň", "SSE.Views.ImageSettings.textCropFit": "Přizpůsobit", + "SSE.Views.ImageSettings.textCropToShape": "Oříznout podle tvaru", "SSE.Views.ImageSettings.textEdit": "Upravit", "SSE.Views.ImageSettings.textEditObject": "Upravit objekt", "SSE.Views.ImageSettings.textFlip": "Převrátit", @@ -2411,6 +2436,7 @@ "SSE.Views.ImageSettings.textInsert": "Nahradit obrázek", "SSE.Views.ImageSettings.textKeepRatio": "Konstantní rozměry", "SSE.Views.ImageSettings.textOriginalSize": "Skutečná velikost", + "SSE.Views.ImageSettings.textRecentlyUsed": "Nedávno použité", "SSE.Views.ImageSettings.textRotate90": "Otočit o 90°", "SSE.Views.ImageSettings.textRotation": "Otočení", "SSE.Views.ImageSettings.textSize": "Velikost", @@ -2488,6 +2514,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "Vložit název", "SSE.Views.NameManagerDlg.closeButtonText": "Zavřít", "SSE.Views.NameManagerDlg.guestText": "Návštěvník", + "SSE.Views.NameManagerDlg.lockText": "Uzamčeno", "SSE.Views.NameManagerDlg.textDataRange": "Rozsah dat", "SSE.Views.NameManagerDlg.textDelete": "Vymazat", "SSE.Views.NameManagerDlg.textEdit": "Upravit", @@ -2719,6 +2746,44 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "Vybrat rozsah", "SSE.Views.PrintTitlesDialog.textTitle": "Tisk názvů", "SSE.Views.PrintTitlesDialog.textTop": "Nahoře opakovat řádky", + "SSE.Views.PrintWithPreview.txtActualSize": "Skutečná velikost", + "SSE.Views.PrintWithPreview.txtAllSheets": "Všechny listy", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Uplatnit na všechny listy", + "SSE.Views.PrintWithPreview.txtBottom": "Dole", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Stávající list", + "SSE.Views.PrintWithPreview.txtCustom": "Uživatelsky určené", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Uživatelsky určené předvolby", + "SSE.Views.PrintWithPreview.txtEmptyTable": "Není co vytisknout, protože tabulka je prázdná.", + "SSE.Views.PrintWithPreview.txtFitCols": "Přizpůsobit všechny sloupce na jedné stránce", + "SSE.Views.PrintWithPreview.txtFitPage": "Přizpůsobit list jedné stránce", + "SSE.Views.PrintWithPreview.txtFitRows": "Přizpůsobit všechny řádky na jedné stránce", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Mřížky a nadpisy", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Nastavení záhlaví/zápatí", + "SSE.Views.PrintWithPreview.txtIgnore": "Ignorovat oblast tisku", + "SSE.Views.PrintWithPreview.txtLandscape": "Na šířku", + "SSE.Views.PrintWithPreview.txtLeft": "Vlevo", + "SSE.Views.PrintWithPreview.txtMargins": "Okraje", + "SSE.Views.PrintWithPreview.txtOf": "z {0}", + "SSE.Views.PrintWithPreview.txtPage": "Stránka", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "Neplatné číslo stránky", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Orientace stránky", + "SSE.Views.PrintWithPreview.txtPageSize": "Velikost stránky", + "SSE.Views.PrintWithPreview.txtPortrait": "Na výšku", + "SSE.Views.PrintWithPreview.txtPrint": "Tisk", + "SSE.Views.PrintWithPreview.txtPrintGrid": "Vytisknout mřížku", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "Vytisknout záhlaví řádků a sloupců", + "SSE.Views.PrintWithPreview.txtPrintRange": "Rozsah tisku", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Tisk názvů", + "SSE.Views.PrintWithPreview.txtRepeat": "Opakovat…", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "Vlevo opakovat sloupce", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "Nahoře opakovat řádky", + "SSE.Views.PrintWithPreview.txtRight": "Vpravo", + "SSE.Views.PrintWithPreview.txtSave": "Uložit", + "SSE.Views.PrintWithPreview.txtScaling": "Změna měřítka", + "SSE.Views.PrintWithPreview.txtSelection": "Výběr", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Nastavení listu", + "SSE.Views.PrintWithPreview.txtSheet": "List: {0}", + "SSE.Views.PrintWithPreview.txtTop": "Nahoře", "SSE.Views.ProtectDialog.textExistName": "CHYBA! Rozsah s takovým názvem už existuje", "SSE.Views.ProtectDialog.textInvalidName": "Název musí začínat písmenem a musí obsahovat pouze písmena, čísla nebo mezery.", "SSE.Views.ProtectDialog.textInvalidRange": "CHYBA! Neplatný rozsah buněk", @@ -2753,6 +2818,7 @@ "SSE.Views.ProtectDialog.txtWBDescription": "Můžete použít heslo k zabránění zobrazení, přidávání, posouvání, odstranění, skrytí, nebo přejmenování souboru jinými uživateli. ", "SSE.Views.ProtectDialog.txtWBTitle": "Zabezpečit strukturu sešitu", "SSE.Views.ProtectRangesDlg.guestText": "Návštěvník", + "SSE.Views.ProtectRangesDlg.lockText": "Uzamčeno", "SSE.Views.ProtectRangesDlg.textDelete": "Odstranit", "SSE.Views.ProtectRangesDlg.textEdit": "Upravit", "SSE.Views.ProtectRangesDlg.textEmpty": "Nejsou povoleny žádné rozsahy pro úpravy.", @@ -2832,6 +2898,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "Vzor", "SSE.Views.ShapeSettings.textPosition": "Pozice", "SSE.Views.ShapeSettings.textRadial": "Kruhový", + "SSE.Views.ShapeSettings.textRecentlyUsed": "Nedávno použité", "SSE.Views.ShapeSettings.textRotate90": "Otočit o 90°", "SSE.Views.ShapeSettings.textRotation": "Otočení", "SSE.Views.ShapeSettings.textSelectImage": "Vybrat obrázek", @@ -3093,6 +3160,7 @@ "SSE.Views.Statusbar.tipAddTab": "Přidat list", "SSE.Views.Statusbar.tipFirst": "Přejít na první list", "SSE.Views.Statusbar.tipLast": "Přejít na poslední list", + "SSE.Views.Statusbar.tipListOfSheets": "Seznam listů", "SSE.Views.Statusbar.tipNext": "Posunout seznam listů doprava", "SSE.Views.Statusbar.tipPrev": "Posunout seznam listů doleva", "SSE.Views.Statusbar.tipZoomFactor": "Měřítko zobrazení", @@ -3200,7 +3268,7 @@ "SSE.Views.Toolbar.capBtnAddComment": "Přidat komentář", "SSE.Views.Toolbar.capBtnColorSchemas": "Barva schématu", "SSE.Views.Toolbar.capBtnComment": "Komentář", - "SSE.Views.Toolbar.capBtnInsHeader": "Záhlaví/Zápatí", + "SSE.Views.Toolbar.capBtnInsHeader": "Záhlaví a zápatí", "SSE.Views.Toolbar.capBtnInsSlicer": "Průřez", "SSE.Views.Toolbar.capBtnInsSymbol": "Symbol", "SSE.Views.Toolbar.capBtnMargins": "Okraje", @@ -3281,6 +3349,8 @@ "SSE.Views.Toolbar.textPageMarginsCustom": "Uživatelsky určené okraje", "SSE.Views.Toolbar.textPortrait": "Na výšku", "SSE.Views.Toolbar.textPrint": "Tisk", + "SSE.Views.Toolbar.textPrintGridlines": "Vytisknout mřížku", + "SSE.Views.Toolbar.textPrintHeadings": "Tisk záhlaví", "SSE.Views.Toolbar.textPrintOptions": "Nastavení tisku", "SSE.Views.Toolbar.textRight": "Vpravo:", "SSE.Views.Toolbar.textRightBorders": "Ohraničení vpravo", @@ -3359,7 +3429,16 @@ "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", "SSE.Views.Toolbar.tipPageMargins": "Okraje stránky", "SSE.Views.Toolbar.tipPageOrient": "Orientace stránky", @@ -3488,6 +3567,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Varp", "SSE.Views.ViewManagerDlg.closeButtonText": "Zavřít", "SSE.Views.ViewManagerDlg.guestText": "Návštěvník", + "SSE.Views.ViewManagerDlg.lockText": "Uzamčeno", "SSE.Views.ViewManagerDlg.textDelete": "Smazat", "SSE.Views.ViewManagerDlg.textDuplicate": "Duplikovat", "SSE.Views.ViewManagerDlg.textEmpty": "Žádné zobrazení nebyly prozatím vytvořeny.", @@ -3503,7 +3583,9 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "Pokoušíte se smazat aktuálně zapnuté zobrazení'%1'.
Opravdu chcete toto zobrazení zavřít a smazat?", "SSE.Views.ViewTab.capBtnFreeze": "Ukotvit příčky", "SSE.Views.ViewTab.capBtnSheetView": "Zobrazení sešitu", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "Vždy zobrazovat panel nástrojů", "SSE.Views.ViewTab.textClose": "Zavřít", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Zkombinovat lišty listů a stavu", "SSE.Views.ViewTab.textCreate": "Nový", "SSE.Views.ViewTab.textDefault": "Výchozí", "SSE.Views.ViewTab.textFormula": "Lišta vzorce", @@ -3511,7 +3593,9 @@ "SSE.Views.ViewTab.textFreezeRow": "Ukotvit horní řádek", "SSE.Views.ViewTab.textGridlines": "Mřížky", "SSE.Views.ViewTab.textHeadings": "Nadpisy", + "SSE.Views.ViewTab.textInterfaceTheme": "Vzhled uživatelského rozhraní", "SSE.Views.ViewTab.textManager": "Správce zobrazení", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "Zobrazit stín ukotvených příček", "SSE.Views.ViewTab.textUnFreeze": "Zrušit ukotvení příček", "SSE.Views.ViewTab.textZeros": "Zobrazit nuly", "SSE.Views.ViewTab.textZoom": "Přiblížit", diff --git a/apps/spreadsheeteditor/main/locale/de.json b/apps/spreadsheeteditor/main/locale/de.json index 359bc10e6..e8703bcbf 100644 --- a/apps/spreadsheeteditor/main/locale/de.json +++ b/apps/spreadsheeteditor/main/locale/de.json @@ -114,6 +114,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Neu", "Common.UI.ExtendedColorDialog.textRGBErr": "Der eingegebene Wert ist falsch.
Bitte geben Sie einen numerischen Wert zwischen 0 und 255 ein.", "Common.UI.HSBColorPicker.textNoColor": "Ohne Farbe", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Passwort ausblenden", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Password anzeigen", "Common.UI.SearchDialog.textHighlight": "Ergebnisse markieren", "Common.UI.SearchDialog.textMatchCase": "Groß-/Kleinschreibung beachten", "Common.UI.SearchDialog.textReplaceDef": "Geben Sie den Ersetzungstext ein", @@ -178,12 +180,14 @@ "Common.Views.Comments.mniAuthorDesc": "Verfasser (Z-A)", "Common.Views.Comments.mniDateAsc": "Älteste zuerst", "Common.Views.Comments.mniDateDesc": "Neueste zuerst", + "Common.Views.Comments.mniFilterGroups": "Nach Gruppe filtern", "Common.Views.Comments.mniPositionAsc": "Von oben", "Common.Views.Comments.mniPositionDesc": "Von unten", "Common.Views.Comments.textAdd": "Hinzufügen", "Common.Views.Comments.textAddComment": "Hinzufügen", "Common.Views.Comments.textAddCommentToDoc": "Kommentar zum Dokument hinzufügen", "Common.Views.Comments.textAddReply": "Antwort hinzufügen", + "Common.Views.Comments.textAll": "Alle", "Common.Views.Comments.textAnonym": "Gast", "Common.Views.Comments.textCancel": "Abbrechen", "Common.Views.Comments.textClose": "Schließen", @@ -197,6 +201,7 @@ "Common.Views.Comments.textResolve": "Lösen", "Common.Views.Comments.textResolved": "Gelöst", "Common.Views.Comments.textSort": "Kommentare sortieren", + "Common.Views.Comments.textViewResolved": "Sie haben keine Berechtigung, den Kommentar erneut zu öffnen", "Common.Views.CopyWarningDialog.textDontShow": "Diese Meldung nicht mehr anzeigen", "Common.Views.CopyWarningDialog.textMsg": "Die Funktionen \"Kopieren\", \"Ausschneiden\" und \"Einfügen\" können mithilfe den Schaltflächen in der Symbolleiste und Aktionen im Kontextmenü nur in dieser Editor-Registerkarte durchgeführt werden.

Für Kopieren oder Einfügen in oder aus anderen Anwendungen nutzen Sie die folgenden Tastenkombinationen:", "Common.Views.CopyWarningDialog.textTitle": "Funktionen \"Kopieren\", \"Ausschneiden\" und \"Einfügen\"", @@ -364,6 +369,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Erneut öffnen", "Common.Views.ReviewPopover.textReply": "Antworten", "Common.Views.ReviewPopover.textResolve": "Lösen", + "Common.Views.ReviewPopover.textViewResolved": "Sie haben keine Berechtigung, den Kommentar erneut zu öffnen", "Common.Views.ReviewPopover.txtDeleteTip": "Löschen", "Common.Views.ReviewPopover.txtEditTip": "Bearbeiten", "Common.Views.SaveAsDlg.textLoading": "Ladevorgang", @@ -474,6 +480,7 @@ "SSE.Controllers.DocumentHolder.txtAddVer": "Vertikale Linie hinzufügen", "SSE.Controllers.DocumentHolder.txtAlignToChar": "An einem Zeichen ausrichten", "SSE.Controllers.DocumentHolder.txtAll": "(Alles)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "Gibt den gesamten Inhalt der Tabelle oder der angegebenen Tabellenspalten zurück, einschließlich der Spaltenüberschriften, der Daten und der Gesamtergebnisse", "SSE.Controllers.DocumentHolder.txtAnd": "und", "SSE.Controllers.DocumentHolder.txtBegins": "beginnt mit", "SSE.Controllers.DocumentHolder.txtBelowAve": "Unterdurchschnittlich", @@ -483,6 +490,7 @@ "SSE.Controllers.DocumentHolder.txtColumn": "Spalte", "SSE.Controllers.DocumentHolder.txtColumnAlign": "Spaltenausrichtung", "SSE.Controllers.DocumentHolder.txtContains": "Enthält", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "Gibt die Datenzellen der Tabelle oder der angegebenen Tabellenspalten zurück", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "Argumentgröße reduzieren", "SSE.Controllers.DocumentHolder.txtDeleteArg": "Argument löschen", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "Manuellen Umbruch löschen", @@ -506,6 +514,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Größer als oder gleich wie ", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "Zeichen über dem Text ", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "Zeichen unter dem Text ", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "Gibt die Spaltenüberschriften für die Tabelle oder die angegebenen Tabellenspalten zurück", "SSE.Controllers.DocumentHolder.txtHeight": "Höhe", "SSE.Controllers.DocumentHolder.txtHideBottom": "Untere Rahmenlinie verbergen", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Untere Grenze verbergen", @@ -584,7 +593,9 @@ "SSE.Controllers.DocumentHolder.txtSorting": "Sortieren", "SSE.Controllers.DocumentHolder.txtSortSelected": "Ausgewählte sortieren", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Eckige Klammern dehnen", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "Nur diese Zeile der notwendigen Spalte auswählen", "SSE.Controllers.DocumentHolder.txtTop": "Oben", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "Gibt Gesamtergebnisse der Zeilen für die Tabelle oder die angegebenen Tabellenspalten zurück", "SSE.Controllers.DocumentHolder.txtUnderbar": "Linie unter dem Text ", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Automatische Erweiterung der Tabelle rückgängig machen", "SSE.Controllers.DocumentHolder.txtUseTextImport": "Text Import-Assistenten verwenden", @@ -639,6 +650,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Die Operation kann nicht ausgeführt werden, weil der Bereich gefilterte Zellen enthält.
Bitte machen Sie die gefilterten Elemente sichtbar und versuchen Sie es erneut.", "SSE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch", "SSE.Controllers.Main.errorCannotUngroup": "Gruppierung kann nicht aufgehoben werden. Um eine Gliederung zu erstellen, wählen Sie Zeilen oder Spalten aus und gruppieren Sie diese.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "Dieser Befehl kann für ein geschütztes Blatt nicht verwendet werden. Sie müssen zuerst den Schutz des Blatts aufheben, um diesen Befehl zu verwenden.
Sie werden möglicherweise aufgefordert, ein Kennwort einzugeben.", "SSE.Controllers.Main.errorChangeArray": "Sie können einen Teil eines Arrays nicht ändern.", "SSE.Controllers.Main.errorChangeFilteredRange": "Hierdurch wird ein gefilterter Bereich in Ihrem Arbeitsblatt geändert.
Um diesen Vorgang abzuschließen, entfernen Sie bitte die AutoFilter.", "SSE.Controllers.Main.errorChangeOnProtectedSheet": "Die Zelle oder das Diagramm, die Sie bearbeiten möchten, ist in der geschützten Liste.
Entschützen Sie die Liste, um Änderungen vorzunehmen. Das Passwort kann erforderlich sein.", @@ -754,6 +766,11 @@ "SSE.Controllers.Main.textConvertEquation": "Diese Gleichung wurde in einer alten Version des Gleichungseditors erstellt, die nicht mehr unterstützt wird. Um die Gleichung zu bearbeiten, konvertieren Sie diese ins Format Office Math ML.
Jetzt konvertieren?", "SSE.Controllers.Main.textCustomLoader": "Bitte beachten Sie, dass Sie gemäß den Lizenzbedingungen nicht berechtigt sind, den Loader zu wechseln.
Wenden Sie sich an unseren Vertrieb, um ein Angebot zu erhalten.", "SSE.Controllers.Main.textDisconnect": "Verbindung wurde unterbrochen", + "SSE.Controllers.Main.textFillOtherRows": "Andere Zeilen ausfüllen", + "SSE.Controllers.Main.textFormulaFilledAllRows": "Die Formel hat {0} Zeilen mit Daten ausgefüllt. Das Ausfüllen anderer leerer Zeilen kann einige Minuten dauern.", + "SSE.Controllers.Main.textFormulaFilledAllRowsWithEmpty": "Die Formel hat die ersten {0} Zeilen mit Daten ausgefüllt. Das Ausfüllen anderer leerer Zeilen kann einige Minuten dauern.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherHaveData": "Die Formel hat nur die ersten {0} Zeilen ausgefüllt, um Speicherplatz zu sparen. Es gibt weitere {1} Zeilen mit Daten in diesem Blatt. Sie können sie manuell ausfüllen.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherIsEmpty": "Die Formel hat nur die ersten {0} Zeilen ausgefüllt, um Speicherplatz zu sparen. Die anderen Zeilen in diesem Blatt enthalten keine Daten.", "SSE.Controllers.Main.textGuest": "Gast", "SSE.Controllers.Main.textHasMacros": "Die Datei beinhaltet automatische Makros.
Möchten Sie Makros ausführen?", "SSE.Controllers.Main.textLearnMore": "Mehr erfahren", @@ -764,6 +781,7 @@ "SSE.Controllers.Main.textNoLicenseTitle": "Lizenzlimit erreicht", "SSE.Controllers.Main.textPaidFeature": "Kostenpflichtige Funktion", "SSE.Controllers.Main.textPleaseWait": "Der Vorgang könnte mehr Zeit in Anspruch nehmen als erwartet. Bitte warten...", + "SSE.Controllers.Main.textReconnect": "Verbindung wurde wiederhergestellt", "SSE.Controllers.Main.textRemember": "Meine Auswahl merken", "SSE.Controllers.Main.textRenameError": "Benutzername darf nicht leer sein.", "SSE.Controllers.Main.textRenameLabel": "Geben Sie den Namen für Zusammenarbeit ein", @@ -1055,6 +1073,7 @@ "SSE.Controllers.Statusbar.errorLastSheet": "Ein Arbeitsbuch muss mindestens ein sichtbares Arbeitsblatt enthalten.", "SSE.Controllers.Statusbar.errorRemoveSheet": "Es ist nicht möglich, das Arbeitsblatt zu löschen.", "SSE.Controllers.Statusbar.strSheet": "Sheet", + "SSE.Controllers.Statusbar.textDisconnect": "Die Verbindung wurde unterbrochen
Verbindungsversuch... Bitte Verbindungseinstellungen überprüfen.", "SSE.Controllers.Statusbar.textSheetViewTip": "Sie befinden sich in einer Tabellenansicht. Filter und Sortierung sind nur für Sie und andere Benutzer/innen sichtbar, die in diesem Modus sind.", "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Sie befinden sich in einer Tabellenansicht. Filter sind nur für Sie und andere Benutzer/innen sichtbar, die in diesem Modus sind.", "SSE.Controllers.Statusbar.warnDeleteSheet": "Die ausgewählten Arbeitsblätter könnten Daten enthalten. Fortsetzen?", @@ -1080,6 +1099,7 @@ "SSE.Controllers.Toolbar.textPivot": "Pivot-Tabelle", "SSE.Controllers.Toolbar.textRadical": "Wurzeln", "SSE.Controllers.Toolbar.textRating": "Bewertungen", + "SSE.Controllers.Toolbar.textRecentlyUsed": "Zuletzt verwendet", "SSE.Controllers.Toolbar.textScript": "Skripts", "SSE.Controllers.Toolbar.textShapes": "Formen", "SSE.Controllers.Toolbar.textSymbols": "Symbole", @@ -1421,7 +1441,9 @@ "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Dezimaltrennzeichen", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Tausendertrennzeichen", "SSE.Views.AdvancedSeparatorDialog.textLabel": "Einstellungen zum Erkennen numerischer Daten", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "Textqualifizierer", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Erweiterte Einstellungen", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(kein)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Benutzerdefinierter Filter", "SSE.Views.AutoFilterDialog.textAddSelection": "Dem Filter die aktuelle Auswahl hinzufügen", "SSE.Views.AutoFilterDialog.textEmptyItem": "{Lücken}", @@ -1867,6 +1889,7 @@ "SSE.Views.DocumentHolder.textCrop": "Zuschneiden", "SSE.Views.DocumentHolder.textCropFill": "Ausfüllen", "SSE.Views.DocumentHolder.textCropFit": "Anpassen", + "SSE.Views.DocumentHolder.textEditPoints": "Punkte bearbeiten", "SSE.Views.DocumentHolder.textEntriesList": "Aus der Dropdown-Liste wählen", "SSE.Views.DocumentHolder.textFlipH": "Horizontal kippen", "SSE.Views.DocumentHolder.textFlipV": "Vertikal kippen", @@ -2236,6 +2259,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Formatierungsregel bearbeiten", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Neue Formatierungsregel", "SSE.Views.FormatRulesManagerDlg.guestText": "Gast", + "SSE.Views.FormatRulesManagerDlg.lockText": "Gesperrt", "SSE.Views.FormatRulesManagerDlg.text1Above": "1 Std Abw über dem Durchschnitt", "SSE.Views.FormatRulesManagerDlg.text1Below": "1 Std Abw unter dem Durchschnitt", "SSE.Views.FormatRulesManagerDlg.text2Above": "2 Std Abw über dem Durchschnitt", @@ -2397,6 +2421,7 @@ "SSE.Views.ImageSettings.textCrop": "Zuschneiden", "SSE.Views.ImageSettings.textCropFill": "Ausfüllen", "SSE.Views.ImageSettings.textCropFit": "Anpassen", + "SSE.Views.ImageSettings.textCropToShape": "Auf Form zuschneiden", "SSE.Views.ImageSettings.textEdit": "Bearbeiten", "SSE.Views.ImageSettings.textEditObject": "Objekt bearbeiten", "SSE.Views.ImageSettings.textFlip": "Kippen", @@ -2411,6 +2436,7 @@ "SSE.Views.ImageSettings.textInsert": "Bild ersetzen", "SSE.Views.ImageSettings.textKeepRatio": "Seitenverhältnis beibehalten", "SSE.Views.ImageSettings.textOriginalSize": "Tatsächliche Größe", + "SSE.Views.ImageSettings.textRecentlyUsed": "Zuletzt verwendet", "SSE.Views.ImageSettings.textRotate90": "90 Grad drehen", "SSE.Views.ImageSettings.textRotation": "Rotation", "SSE.Views.ImageSettings.textSize": "Größe", @@ -2488,6 +2514,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "Namen einfügen", "SSE.Views.NameManagerDlg.closeButtonText": "Schließen", "SSE.Views.NameManagerDlg.guestText": "Gast", + "SSE.Views.NameManagerDlg.lockText": "Gesperrt", "SSE.Views.NameManagerDlg.textDataRange": "Datenbereich", "SSE.Views.NameManagerDlg.textDelete": "Löschen", "SSE.Views.NameManagerDlg.textEdit": "Bearbeiten", @@ -2719,6 +2746,44 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "Bereich auswählen", "SSE.Views.PrintTitlesDialog.textTitle": "Drucke Titel", "SSE.Views.PrintTitlesDialog.textTop": "wiederhole Zeilen am Anfang", + "SSE.Views.PrintWithPreview.txtActualSize": "Tatsächliche Größe", + "SSE.Views.PrintWithPreview.txtAllSheets": "Alle Blätter", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "In allen Blättern anwenden", + "SSE.Views.PrintWithPreview.txtBottom": "Unten", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Aktuelles Blatt", + "SSE.Views.PrintWithPreview.txtCustom": "Benutzerdefiniert", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Benutzerdefinierte Optionen", + "SSE.Views.PrintWithPreview.txtEmptyTable": "Es gibt nichts zu drucken", + "SSE.Views.PrintWithPreview.txtFitCols": "Alle Spalten auf einer Seite darstellen", + "SSE.Views.PrintWithPreview.txtFitPage": "Blatt auf einer Seite darstellen", + "SSE.Views.PrintWithPreview.txtFitRows": "Alle Zeilen auf einer Seite darstellen", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Gitternetzlinien und Überschriften", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Kopf- und Fußzeileneinstellungen", + "SSE.Views.PrintWithPreview.txtIgnore": "Druckbereich ignorieren", + "SSE.Views.PrintWithPreview.txtLandscape": "Querformat", + "SSE.Views.PrintWithPreview.txtLeft": "Links", + "SSE.Views.PrintWithPreview.txtMargins": "Ränder", + "SSE.Views.PrintWithPreview.txtOf": "von {0}", + "SSE.Views.PrintWithPreview.txtPage": "Seite", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "Ungültige Seitennummer", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Seitenorientierung", + "SSE.Views.PrintWithPreview.txtPageSize": "Seitenformat", + "SSE.Views.PrintWithPreview.txtPortrait": "Hochformat", + "SSE.Views.PrintWithPreview.txtPrint": "Drucken", + "SSE.Views.PrintWithPreview.txtPrintGrid": "Gitternetzlinien drucken", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "Zeilen- und Spaltenüberschriften drucken", + "SSE.Views.PrintWithPreview.txtPrintRange": "Druckbereich", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Drucke Titel", + "SSE.Views.PrintWithPreview.txtRepeat": "Wiederholen...", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "Spalten links wiederholen", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "Zeilen am Anfang wiederholen", + "SSE.Views.PrintWithPreview.txtRight": "Rechts", + "SSE.Views.PrintWithPreview.txtSave": "Speichern", + "SSE.Views.PrintWithPreview.txtScaling": "Skalierung", + "SSE.Views.PrintWithPreview.txtSelection": "Auswahl", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Blatteinstellungen", + "SSE.Views.PrintWithPreview.txtSheet": "Blatt: {0}", + "SSE.Views.PrintWithPreview.txtTop": "Oben", "SSE.Views.ProtectDialog.textExistName": "FEHLER! Es gibt schon einen Bereich mit diesem Titel", "SSE.Views.ProtectDialog.textInvalidName": "Der Bereich soll mit einem Buchstaben anfangen und soll nur Buchstaben, Zahlen und Lücken beinhalten.", "SSE.Views.ProtectDialog.textInvalidRange": "FEHLER! Ungültiger Zellenbereich", @@ -2753,6 +2818,7 @@ "SSE.Views.ProtectDialog.txtWBDescription": "Um den Benutzern das Öffnen von ausgeblendeten Arbeitsblättern, Hinzufügen, Verschieben oder Ausblenden und Umbenennen von Arbeitsblättern zu verbieten, schützen Sie die Arbeitsmappenstruktur mit einem Passwort.", "SSE.Views.ProtectDialog.txtWBTitle": "Arbeitsmappenstruktur schützen", "SSE.Views.ProtectRangesDlg.guestText": "Gast", + "SSE.Views.ProtectRangesDlg.lockText": "Gesperrt", "SSE.Views.ProtectRangesDlg.textDelete": "Löschen", "SSE.Views.ProtectRangesDlg.textEdit": "Bearbeiten", "SSE.Views.ProtectRangesDlg.textEmpty": "Keine Bereiche für Bearbeitung gefunden.", @@ -2832,6 +2898,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "Muster", "SSE.Views.ShapeSettings.textPosition": "Stellung", "SSE.Views.ShapeSettings.textRadial": "Radial", + "SSE.Views.ShapeSettings.textRecentlyUsed": "Zuletzt verwendet", "SSE.Views.ShapeSettings.textRotate90": "90 Grad drehen", "SSE.Views.ShapeSettings.textRotation": "Rotation", "SSE.Views.ShapeSettings.textSelectImage": "Bild auswählen", @@ -3093,6 +3160,7 @@ "SSE.Views.Statusbar.tipAddTab": "Arbeitsblatt hinzufügen", "SSE.Views.Statusbar.tipFirst": "Bis zum ersten Blatt blättern", "SSE.Views.Statusbar.tipLast": "Bis zum letzten Blatt blättern", + "SSE.Views.Statusbar.tipListOfSheets": "Liste von Blättern", "SSE.Views.Statusbar.tipNext": "Blattliste nach rechts blättern", "SSE.Views.Statusbar.tipPrev": "Blattliste nach links blättern", "SSE.Views.Statusbar.tipZoomFactor": "Zoommodus", @@ -3281,6 +3349,8 @@ "SSE.Views.Toolbar.textPageMarginsCustom": "Benutzerdefinierte Seitenränder", "SSE.Views.Toolbar.textPortrait": "Hochformat", "SSE.Views.Toolbar.textPrint": "Drucken", + "SSE.Views.Toolbar.textPrintGridlines": "Gitternetzlinien drucken", + "SSE.Views.Toolbar.textPrintHeadings": "Überschriften drucken", "SSE.Views.Toolbar.textPrintOptions": "Druck-Einstellungen", "SSE.Views.Toolbar.textRight": "Rechts: ", "SSE.Views.Toolbar.textRightBorders": "Rahmenlinien rechts", @@ -3359,7 +3429,16 @@ "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", "SSE.Views.Toolbar.tipPageMargins": "Seitenränder", "SSE.Views.Toolbar.tipPageOrient": "Seitenausrichtung", @@ -3488,6 +3567,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "VARIANZEN", "SSE.Views.ViewManagerDlg.closeButtonText": "Schließen", "SSE.Views.ViewManagerDlg.guestText": "Gast", + "SSE.Views.ViewManagerDlg.lockText": "Gesperrt", "SSE.Views.ViewManagerDlg.textDelete": "Löschen", "SSE.Views.ViewManagerDlg.textDuplicate": "Duplizieren", "SSE.Views.ViewManagerDlg.textEmpty": "Keine Anzeigen erstellt.", @@ -3503,7 +3583,9 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "Die aktuelle Tabellenansicht '%1' wird gelöscht.
Möchten Sie diese wirklich schließen und löschen?", "SSE.Views.ViewTab.capBtnFreeze": "Fensterausschnitt fixieren", "SSE.Views.ViewTab.capBtnSheetView": "Tabellenansicht", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "Symbolleiste immer anzeigen", "SSE.Views.ViewTab.textClose": "Schließen", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Statusleiste verbergen", "SSE.Views.ViewTab.textCreate": "Neu", "SSE.Views.ViewTab.textDefault": "Standard", "SSE.Views.ViewTab.textFormula": "Formelleiste", @@ -3511,7 +3593,9 @@ "SSE.Views.ViewTab.textFreezeRow": "Oberste Zeile einfrieren", "SSE.Views.ViewTab.textGridlines": "Gitternetzlinien ", "SSE.Views.ViewTab.textHeadings": "Überschriften", + "SSE.Views.ViewTab.textInterfaceTheme": "Thema der Benutzeroberfläche", "SSE.Views.ViewTab.textManager": "Ansichten-Manager", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "Schatten für fixierte Bereiche anzeigen", "SSE.Views.ViewTab.textUnFreeze": "Fixierung aufheben", "SSE.Views.ViewTab.textZeros": "Nullen anzeigen", "SSE.Views.ViewTab.textZoom": "Zoom", diff --git a/apps/spreadsheeteditor/main/locale/el.json b/apps/spreadsheeteditor/main/locale/el.json index 97de6cc4f..9bf4c5be0 100644 --- a/apps/spreadsheeteditor/main/locale/el.json +++ b/apps/spreadsheeteditor/main/locale/el.json @@ -114,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": "Εισάγετε το κείμενο αντικατάστασης", @@ -178,12 +180,14 @@ "Common.Views.Comments.mniAuthorDesc": "Συγγραφέας Ω έως Α", "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,7 @@ "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": "Ενέργειες Αντιγραφής, Αποκοπής και Επικόλλησης", @@ -364,6 +369,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 +480,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": "Κάτω από τον μέσο όρο", @@ -483,6 +490,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 +514,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 +593,9 @@ "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": "Χρήση οδηγού εισαγωγής κειμένου", @@ -639,6 +650,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": "Το κελί ή γράφημα που προσπαθείτε να αλλάξετε βρίσκεται σε προστατευμένο φύλλο.
Για να κάνετε αλλαγή, αφαιρέστε την προστασία. Ίσως σας ζητηθεί συνθηματικό.", @@ -769,6 +781,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": "Εισάγετε ένα όνομα για συνεργατική χρήση", @@ -1060,6 +1073,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": "Τα επιλεγμένα φύλλα εργασίας ενδέχεται να περιέχουν δεδομένα. Είστε βέβαιοι ότι θέλετε να συνεχίσετε;", @@ -1085,6 +1099,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": "Σύμβολα", @@ -1426,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": "{Κενά}", @@ -1872,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": "Κατακόρυφη Περιστροφή", @@ -2241,6 +2259,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 τυπική απόκλιση πάνω από το μέσο όρο", @@ -2402,6 +2421,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": "Περιστροφή", @@ -2416,6 +2436,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": "Μέγεθος", @@ -2465,7 +2486,7 @@ "SSE.Views.MainSettingsPrint.textFitPage": "Προσαρμογή Φύλλου σε Μια Σελίδα", "SSE.Views.MainSettingsPrint.textFitRows": "Προσαρμογή Όλων των Γραμμών σε Μια Σελίδα", "SSE.Views.MainSettingsPrint.textPageOrientation": "Προσανατολισμός Σελίδας", - "SSE.Views.MainSettingsPrint.textPageScaling": "Κλιμάκωση", + "SSE.Views.MainSettingsPrint.textPageScaling": "Κλίμακα", "SSE.Views.MainSettingsPrint.textPageSize": "Μέγεθος Σελίδας", "SSE.Views.MainSettingsPrint.textPrintGrid": "Εκτύπωση Γραμμών Πλέγματος", "SSE.Views.MainSettingsPrint.textPrintHeadings": "Εκτύπωση Επικεφαλίδων Γραμμών και Στηλών", @@ -2493,6 +2514,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": "Επεξεργασία", @@ -2697,7 +2719,7 @@ "SSE.Views.PrintSettings.textIgnore": "Αγνόηση Περιοχής Εκτύπωσης", "SSE.Views.PrintSettings.textLayout": "Διάταξη", "SSE.Views.PrintSettings.textPageOrientation": "Προσανατολισμός Σελίδας", - "SSE.Views.PrintSettings.textPageScaling": "Κλιμάκωση", + "SSE.Views.PrintSettings.textPageScaling": "Κλίμακα", "SSE.Views.PrintSettings.textPageSize": "Μέγεθος Σελίδας", "SSE.Views.PrintSettings.textPrintGrid": "Εκτύπωση Γραμμών Πλέγματος", "SSE.Views.PrintSettings.textPrintHeadings": "Εκτύπωση Επικεφαλίδων Γραμμών και Στηλών", @@ -2724,6 +2746,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": "ΣΦΑΛΜΑ! Μη έγκυρο εύρος κελιών", @@ -2758,6 +2818,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": "Δεν επιτρέπεται η επεξεργασία κανενός εύρους.", @@ -2837,6 +2898,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": "Επιλογή Εικόνας", @@ -3098,6 +3160,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": "Εστίαση", @@ -3205,7 +3268,7 @@ "SSE.Views.Toolbar.capBtnAddComment": "Προσθήκη Σχολίου", "SSE.Views.Toolbar.capBtnColorSchemas": "Σύστημα Χρωμάτων", "SSE.Views.Toolbar.capBtnComment": "Σχόλιο", - "SSE.Views.Toolbar.capBtnInsHeader": "Κεφαλίδα/Υποσέλιδο", + "SSE.Views.Toolbar.capBtnInsHeader": "Κεφαλίδα & Υποσέλιδο", "SSE.Views.Toolbar.capBtnInsSlicer": "Αναλυτής", "SSE.Views.Toolbar.capBtnInsSymbol": "Σύμβολο", "SSE.Views.Toolbar.capBtnMargins": "Περιθώρια", @@ -3286,6 +3349,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": "Δεξιά Περιγράμματα", @@ -3364,7 +3429,16 @@ "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": "Μορφή αριθμού", "SSE.Views.Toolbar.tipPageMargins": "Περιθώρια σελίδας", "SSE.Views.Toolbar.tipPageOrient": "Προσανατολισμός σελίδας", @@ -3493,6 +3567,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": "Δεν δημιουργήθηκαν ακόμα όψεις.", @@ -3508,7 +3583,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": "Μπάρα μαθηματικών τύπων", @@ -3516,7 +3593,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": "Εμφάνιση μηδενικών", "SSE.Views.ViewTab.textZoom": "Εστίαση", diff --git a/apps/spreadsheeteditor/main/locale/en.json b/apps/spreadsheeteditor/main/locale/en.json index 37e3f534a..3f19e5ed0 100644 --- a/apps/spreadsheeteditor/main/locale/en.json +++ b/apps/spreadsheeteditor/main/locale/en.json @@ -201,7 +201,7 @@ "Common.Views.Comments.textResolve": "Resolve", "Common.Views.Comments.textResolved": "Resolved", "Common.Views.Comments.textSort": "Sort comments", - "Common.Views.Comments.textViewResolved": "You have not permission for reopen comment", + "Common.Views.Comments.textViewResolved": "You have no permission to reopen the comment", "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", @@ -371,7 +371,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Open Again", "Common.Views.ReviewPopover.textReply": "Reply", "Common.Views.ReviewPopover.textResolve": "Resolve", - "Common.Views.ReviewPopover.textViewResolved": "You have not permission for reopen comment", + "Common.Views.ReviewPopover.textViewResolved": "You have no permission to reopen the comment", "Common.Views.ReviewPopover.txtDeleteTip": "Delete", "Common.Views.ReviewPopover.txtEditTip": "Edit", "Common.Views.SaveAsDlg.textLoading": "Loading", @@ -2771,9 +2771,10 @@ "SSE.Views.PrintWithPreview.txtCurrentSheet": "Current sheet", "SSE.Views.PrintWithPreview.txtCustom": "Custom", "SSE.Views.PrintWithPreview.txtCustomOptions": "Custom Options", + "SSE.Views.PrintWithPreview.txtEmptyTable": "There is nothing to print because the table is empty", "SSE.Views.PrintWithPreview.txtFitCols": "Fit All Columns on One Page", "SSE.Views.PrintWithPreview.txtFitPage": "Fit Sheet on One Page", - "SSE.Views.PrintWithPreview.txtFitRows": "Fit All Rows on One Pag", + "SSE.Views.PrintWithPreview.txtFitRows": "Fit All Rows on One Page", "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Gridlines and headings", "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Header/footer settings", "SSE.Views.PrintWithPreview.txtIgnore": "Ignore print area", @@ -2788,7 +2789,7 @@ "SSE.Views.PrintWithPreview.txtPortrait": "Portrait", "SSE.Views.PrintWithPreview.txtPrint": "Print", "SSE.Views.PrintWithPreview.txtPrintGrid": "Print gridlines", - "SSE.Views.PrintWithPreview.txtPrintHeadings": "Print row and columns headings", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "Print row and column headings", "SSE.Views.PrintWithPreview.txtPrintRange": "Print range", "SSE.Views.PrintWithPreview.txtPrintTitles": "Print titles", "SSE.Views.PrintWithPreview.txtRepeat": "Repeat...", diff --git a/apps/spreadsheeteditor/main/locale/es.json b/apps/spreadsheeteditor/main/locale/es.json index 5111ed550..2e6194d34 100644 --- a/apps/spreadsheeteditor/main/locale/es.json +++ b/apps/spreadsheeteditor/main/locale/es.json @@ -104,16 +104,18 @@ "Common.Translation.warnFileLockedBtnEdit": "Crear copia", "Common.Translation.warnFileLockedBtnView": "Abrir para visualizar", "Common.UI.ButtonColored.textAutoColor": "Automático", - "Common.UI.ButtonColored.textNewColor": "Añadir nuevo color personalizado", + "Common.UI.ButtonColored.textNewColor": "Agregar nuevo color personalizado", "Common.UI.ComboBorderSize.txtNoBorders": "Sin bordes", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sin bordes", "Common.UI.ComboDataView.emptyComboText": "Sin estilo", - "Common.UI.ExtendedColorDialog.addButtonText": "Añadir", + "Common.UI.ExtendedColorDialog.addButtonText": "Agregar", "Common.UI.ExtendedColorDialog.textCurrent": "Actual", "Common.UI.ExtendedColorDialog.textHexErr": "El valor introducido es incorrecto.
Por favor, introduzca un valor de 000000 a FFFFFF.", "Common.UI.ExtendedColorDialog.textNew": "Nuevo", "Common.UI.ExtendedColorDialog.textRGBErr": "El valor introducido es incorrecto.
Por favor, introduzca un valor numérico de 0 a 225.", "Common.UI.HSBColorPicker.textNoColor": "Sin Color", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Ocultar la contraseña", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostrar la contraseña", "Common.UI.SearchDialog.textHighlight": "Resaltar resultados", "Common.UI.SearchDialog.textMatchCase": "Sensible a mayúsculas y minúsculas", "Common.UI.SearchDialog.textReplaceDef": "Introduzca el texto de sustitución", @@ -146,11 +148,11 @@ "Common.Views.About.txtAddress": "dirección: ", "Common.Views.About.txtLicensee": "LICENCIATARIO ", "Common.Views.About.txtLicensor": "LICENCIANTE", - "Common.Views.About.txtMail": "email: ", + "Common.Views.About.txtMail": "correo: ", "Common.Views.About.txtPoweredBy": "Desarrollado por", "Common.Views.About.txtTel": "tel.: ", "Common.Views.About.txtVersion": "Versión ", - "Common.Views.AutoCorrectDialog.textAdd": "Añadir", + "Common.Views.AutoCorrectDialog.textAdd": "Agregar", "Common.Views.AutoCorrectDialog.textApplyAsWork": "Aplicar mientras trabaja", "Common.Views.AutoCorrectDialog.textAutoCorrect": "Autocorrección", "Common.Views.AutoCorrectDialog.textAutoFormat": "Autoformato mientras escribe", @@ -171,19 +173,21 @@ "Common.Views.AutoCorrectDialog.textWarnAddRec": "Las funciones reconocidas deben contener solo letras de la A a la Z, mayúsculas o minúsculas.", "Common.Views.AutoCorrectDialog.textWarnResetRec": "Cualquier expresión que haya agregado se eliminará y las eliminadas se restaurarán. ¿Desea continuar?", "Common.Views.AutoCorrectDialog.warnReplace": "La entrada de autocorreción para %1 ya existe. ¿Desea reemplazarla?", - "Common.Views.AutoCorrectDialog.warnReset": "Cualquier autocorreción que haya agregado se eliminará y los modificados serán restaurados a sus valores originales. ¿Desea continuar?", + "Common.Views.AutoCorrectDialog.warnReset": "Las autocorrecciones que haya agregado se eliminarán y las modificadas recuperarán sus valores originales. ¿Desea continuar?", "Common.Views.AutoCorrectDialog.warnRestore": "La entrada de autocorrección para %1 será restablecida a su valor original. ¿Desea continuar?", "Common.Views.Chat.textSend": "Enviar", "Common.Views.Comments.mniAuthorAsc": "Autor de A a Z", "Common.Views.Comments.mniAuthorDesc": "Autor de Z a A", "Common.Views.Comments.mniDateAsc": "Más antiguo", "Common.Views.Comments.mniDateDesc": "Más reciente", + "Common.Views.Comments.mniFilterGroups": "Filtrar por grupo", "Common.Views.Comments.mniPositionAsc": "Desde arriba", "Common.Views.Comments.mniPositionDesc": "Desde abajo", - "Common.Views.Comments.textAdd": "Añadir", - "Common.Views.Comments.textAddComment": "Añadir", - "Common.Views.Comments.textAddCommentToDoc": "Añadir comentario a documento", - "Common.Views.Comments.textAddReply": "Añadir respuesta", + "Common.Views.Comments.textAdd": "Agregar", + "Common.Views.Comments.textAddComment": "Agregar comentario", + "Common.Views.Comments.textAddCommentToDoc": "Agregar comentario al documento", + "Common.Views.Comments.textAddReply": "Agregar respuesta", + "Common.Views.Comments.textAll": "Todo", "Common.Views.Comments.textAnonym": "Visitante", "Common.Views.Comments.textCancel": "Cancelar", "Common.Views.Comments.textClose": "Cerrar", @@ -191,12 +195,13 @@ "Common.Views.Comments.textComments": "Comentarios", "Common.Views.Comments.textEdit": "OK", "Common.Views.Comments.textEnterCommentHint": "Introduzca su comentario aquí", - "Common.Views.Comments.textHintAddComment": "Añadir comentario", + "Common.Views.Comments.textHintAddComment": "Agregar comentario", "Common.Views.Comments.textOpenAgain": "Abrir de nuevo", "Common.Views.Comments.textReply": "Responder", "Common.Views.Comments.textResolve": "Resolver", "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.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", @@ -290,14 +295,14 @@ "Common.Views.Plugins.textStop": "Detener", "Common.Views.Protection.hintAddPwd": "Encriptar con contraseña", "Common.Views.Protection.hintPwd": "Cambie o elimine la contraseña", - "Common.Views.Protection.hintSignature": "Añadir firma digital o línea de firma", - "Common.Views.Protection.txtAddPwd": "Añadir contraseña", + "Common.Views.Protection.hintSignature": "Agregar firma digital o línea de firma", + "Common.Views.Protection.txtAddPwd": "Agregar contraseña", "Common.Views.Protection.txtChangePwd": "Cambiar contraseña", "Common.Views.Protection.txtDeletePwd": "Eliminar contraseña", "Common.Views.Protection.txtEncrypt": "Encriptar", - "Common.Views.Protection.txtInvisibleSignature": "Añadir firma digital", + "Common.Views.Protection.txtInvisibleSignature": "Agregar firma digital", "Common.Views.Protection.txtSignature": "Firma", - "Common.Views.Protection.txtSignatureLine": "Añadir línea de firma", + "Common.Views.Protection.txtSignatureLine": "Agregar línea de firma", "Common.Views.RenameDialog.textName": "Nombre de archivo", "Common.Views.RenameDialog.txtInvalidName": "El nombre de archivo no debe contener los símbolos siguientes:", "Common.Views.ReviewChanges.hintNext": "Al siguiente cambio", @@ -354,16 +359,17 @@ "Common.Views.ReviewChanges.txtSpelling": "Сorrección ortográfica", "Common.Views.ReviewChanges.txtTurnon": "Rastrear cambios", "Common.Views.ReviewChanges.txtView": "Modo de visualización", - "Common.Views.ReviewPopover.textAdd": "Añadir", - "Common.Views.ReviewPopover.textAddReply": "Añadir respuesta", + "Common.Views.ReviewPopover.textAdd": "Agregar", + "Common.Views.ReviewPopover.textAddReply": "Agregar respuesta", "Common.Views.ReviewPopover.textCancel": "Cancelar", "Common.Views.ReviewPopover.textClose": "Cerrar", "Common.Views.ReviewPopover.textEdit": "OK", - "Common.Views.ReviewPopover.textMention": "+mención proporcionará acceso al documento y enviará un correo electrónico", - "Common.Views.ReviewPopover.textMentionNotify": "+mention notificará al usuario por correo electrónico", + "Common.Views.ReviewPopover.textMention": "+mención proporcionará acceso al documento y enviará un correo", + "Common.Views.ReviewPopover.textMentionNotify": "+mención notificará al usuario por correo", "Common.Views.ReviewPopover.textOpenAgain": "Abrir de nuevo", "Common.Views.ReviewPopover.textReply": "Responder", "Common.Views.ReviewPopover.textResolve": "Resolver", + "Common.Views.ReviewPopover.textViewResolved": "No tiene permiso para volver a abrir el comentario", "Common.Views.ReviewPopover.txtDeleteTip": "Eliminar", "Common.Views.ReviewPopover.txtEditTip": "Editar", "Common.Views.SaveAsDlg.textLoading": "Cargando", @@ -385,7 +391,7 @@ "Common.Views.SignDialog.textValid": "Válido desde %1 hasta %2", "Common.Views.SignDialog.tipFontName": "Nombre del tipo de letra", "Common.Views.SignDialog.tipFontSize": "Tamaño de letra", - "Common.Views.SignSettingsDialog.textAllowComment": "Permitir a quien firma añadir comentarios en el diálogo de firma", + "Common.Views.SignSettingsDialog.textAllowComment": "Permitir al firmante agregar comentarios en el diálogo de firma", "Common.Views.SignSettingsDialog.textInfo": "Información de quien firma", "Common.Views.SignSettingsDialog.textInfoEmail": "Correo electrónico", "Common.Views.SignSettingsDialog.textInfoName": "Nombre", @@ -463,17 +469,18 @@ "SSE.Controllers.DocumentHolder.textSym": "sym", "SSE.Controllers.DocumentHolder.tipIsLocked": "Este elemento está siendo editado por otro usuario.", "SSE.Controllers.DocumentHolder.txtAboveAve": "Superior a la media", - "SSE.Controllers.DocumentHolder.txtAddBottom": "Añadir borde inferior", - "SSE.Controllers.DocumentHolder.txtAddFractionBar": "Añadir barra de fracción", - "SSE.Controllers.DocumentHolder.txtAddHor": "Añadir línea horizontal", - "SSE.Controllers.DocumentHolder.txtAddLB": "Añadir línea inferior izquierda", - "SSE.Controllers.DocumentHolder.txtAddLeft": "Añadir borde izquierdo", - "SSE.Controllers.DocumentHolder.txtAddLT": "Añadir línea superior izquierda", - "SSE.Controllers.DocumentHolder.txtAddRight": "Añadir borde derecho", - "SSE.Controllers.DocumentHolder.txtAddTop": "Añadir borde superior", - "SSE.Controllers.DocumentHolder.txtAddVer": "Añadir línea vertical", + "SSE.Controllers.DocumentHolder.txtAddBottom": "Agregar borde inferior", + "SSE.Controllers.DocumentHolder.txtAddFractionBar": "Agregar barra de fracción", + "SSE.Controllers.DocumentHolder.txtAddHor": "Agregar línea horizontal", + "SSE.Controllers.DocumentHolder.txtAddLB": "Agregar línea inferior izquierda", + "SSE.Controllers.DocumentHolder.txtAddLeft": "Agregar borde izquierdo", + "SSE.Controllers.DocumentHolder.txtAddLT": "Agregar línea superior izquierda", + "SSE.Controllers.DocumentHolder.txtAddRight": "Agregar borde derecho", + "SSE.Controllers.DocumentHolder.txtAddTop": "Agregar borde superior", + "SSE.Controllers.DocumentHolder.txtAddVer": "Agregar línea vertical", "SSE.Controllers.DocumentHolder.txtAlignToChar": "Alinear a carácter", "SSE.Controllers.DocumentHolder.txtAll": "(Todos)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "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", "SSE.Controllers.DocumentHolder.txtAnd": "y", "SSE.Controllers.DocumentHolder.txtBegins": "Empieza con", "SSE.Controllers.DocumentHolder.txtBelowAve": "Debajo de la media", @@ -483,6 +490,7 @@ "SSE.Controllers.DocumentHolder.txtColumn": "Columna", "SSE.Controllers.DocumentHolder.txtColumnAlign": "Alineación de columna", "SSE.Controllers.DocumentHolder.txtContains": "Contiene", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "Devuelve las celdas de datos de la tabla o de las columnas de la tabla especificadas", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "Disminuir tamaño de argumento", "SSE.Controllers.DocumentHolder.txtDeleteArg": "Eliminar argumento", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "Borrar abertura manual", @@ -506,6 +514,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Mayor que o igual a", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "Char sobre texto", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "Char debajo de texto", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "Devuelve las cabeceras de las columnas de la tabla o de las columnas de la tabla especificadas", "SSE.Controllers.DocumentHolder.txtHeight": "Altura", "SSE.Controllers.DocumentHolder.txtHideBottom": "Esconder borde inferior", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Esconder límite inferior", @@ -584,7 +593,9 @@ "SSE.Controllers.DocumentHolder.txtSorting": "Ordenación", "SSE.Controllers.DocumentHolder.txtSortSelected": "Ordenar los objetos seleccionados", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Estirar corchetes", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "Elija solo esta fila de la columna especificada", "SSE.Controllers.DocumentHolder.txtTop": "Top", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "Devuelve el total de filas de la tabla o de las columnas de la tabla especificadas", "SSE.Controllers.DocumentHolder.txtUnderbar": "Barra debajo de texto", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Deshacer la expansión automática de la tabla", "SSE.Controllers.DocumentHolder.txtUseTextImport": "Usar el Asistente para importar texto", @@ -639,6 +650,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "No se puede realizar la operación porque el área contiene celdas filtradas.
Por favor muestre los elementos filtrados y vuelva a intentarlo.", "SSE.Controllers.Main.errorBadImageUrl": "URL de imagen es incorrecto", "SSE.Controllers.Main.errorCannotUngroup": "No se puede desagrupar. Para crear un esquema de documento seleccione filas o columnas y agrúpelas.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "No puede utilizar esta orden en una hoja protegida. Para usar esta orden, desproteja la hoja.
Es posible que le pidan una contraseña.", "SSE.Controllers.Main.errorChangeArray": "No se puede cambiar parte de una matriz.", "SSE.Controllers.Main.errorChangeFilteredRange": "Esto cambiará un rango filtrado de la hoja de cálculo.
Para completar esta tarea, quite los Autofiltros.", "SSE.Controllers.Main.errorChangeOnProtectedSheet": "La celda o el gráfico que está intentando cambiar se encuentra en una hoja protegida.
Para hacer un cambio, quitele la protección a la hoja. Es posible que se le pida que introduzca una contraseña.", @@ -658,7 +670,7 @@ "SSE.Controllers.Main.errorEditingDownloadas": "Se produjo un error durante el trabajo con el documento.
Use la opción 'Descargar como...' para guardar la copia de seguridad de este archivo en el disco duro de su computadora.", "SSE.Controllers.Main.errorEditingSaveas": "Se produjo un error durante el trabajo con el documento.
Use la opción 'Guardar como...' para guardar la copia de seguridad de este archivo en el disco duro de su computadora.", "SSE.Controllers.Main.errorEditView": "La vista de hoja existente no puede ser editada y las nuevas no se pueden crear en este momento, ya que algunas de ellas se están editando.", - "SSE.Controllers.Main.errorEmailClient": "No se pudo encontrar ningun cliente de email.", + "SSE.Controllers.Main.errorEmailClient": "No se pudo encontrar ningun cliente de correo", "SSE.Controllers.Main.errorFilePassProtect": "El archivo está protegido por una contraseña y no puede ser abierto.", "SSE.Controllers.Main.errorFileRequest": "Error externo.
Error de solicitud de archivo. Por favor póngase en contacto con soporte si el error se mantiene.", "SSE.Controllers.Main.errorFileSizeExceed": "El tamaño del archivo excede la limitación establecida para su servidor. Por favor, póngase en contacto con el administrador del Servidor de documentos para obtener más detalles. ", @@ -769,6 +781,7 @@ "SSE.Controllers.Main.textNoLicenseTitle": "Se ha alcanzado el límite de licencias", "SSE.Controllers.Main.textPaidFeature": "Función de pago", "SSE.Controllers.Main.textPleaseWait": "La operación puede tomar más tiempo de lo esperado. Espere por favor...", + "SSE.Controllers.Main.textReconnect": "Se ha restablecido la conexión", "SSE.Controllers.Main.textRemember": "Recordar mi elección para todos los archivos", "SSE.Controllers.Main.textRenameError": "El nombre de usuario no debe estar vacío.", "SSE.Controllers.Main.textRenameLabel": "Escriba un nombre que se utilizará para la colaboración", @@ -1060,6 +1073,7 @@ "SSE.Controllers.Statusbar.errorLastSheet": "Un libro debe contener al menos una hoja visible.", "SSE.Controllers.Statusbar.errorRemoveSheet": "Imposible borrar la hoja de cálculo.", "SSE.Controllers.Statusbar.strSheet": "Hoja", + "SSE.Controllers.Statusbar.textDisconnect": "Se ha perdido la conexión
Intentando conectar. Compruebe la configuración de la conexión.", "SSE.Controllers.Statusbar.textSheetViewTip": "Está en el modo Vista de Hoja. Los filtros y la ordenación son visibles solo para usted y aquellos que aún están en esta vista.", "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Está en el modo de vista de hoja. Los filtros sólo los puede ver usted y los que aún están en esta vista.", "SSE.Controllers.Statusbar.warnDeleteSheet": "Las hojas de trabajo seleccionadas pueden contener datos. ¿Está seguro de que quiere proceder?", @@ -1085,6 +1099,7 @@ "SSE.Controllers.Toolbar.textPivot": "Tabla pivote", "SSE.Controllers.Toolbar.textRadical": "Radicales", "SSE.Controllers.Toolbar.textRating": "Clasificaciones", + "SSE.Controllers.Toolbar.textRecentlyUsed": "Usados recientemente", "SSE.Controllers.Toolbar.textScript": "Índices", "SSE.Controllers.Toolbar.textShapes": "Formas", "SSE.Controllers.Toolbar.textSymbols": "Símbolos", @@ -1426,9 +1441,11 @@ "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Separador decimal", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Separador de miles", "SSE.Views.AdvancedSeparatorDialog.textLabel": "Ajustes utilizados para reconocer los datos numéricos", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "Calificador de texto", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Ajustes Avanzados", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(ninguno)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Filtro personalizado", - "SSE.Views.AutoFilterDialog.textAddSelection": "Añadir selección actual para filtración", + "SSE.Views.AutoFilterDialog.textAddSelection": "Agregar la selección actual al filtro", "SSE.Views.AutoFilterDialog.textEmptyItem": "{Blanks}", "SSE.Views.AutoFilterDialog.textSelectAll": "Seleccionar todo", "SSE.Views.AutoFilterDialog.textSelectAllResults": "Seleccionar todos los resultados de la búsqueda", @@ -1509,7 +1526,7 @@ "SSE.Views.CellSettings.textThisPivot": "Desde esta tabla pivote", "SSE.Views.CellSettings.textThisSheet": "Desde esta hoja de cálculo", "SSE.Views.CellSettings.textThisTable": "Desde esta tabla", - "SSE.Views.CellSettings.tipAddGradientPoint": "Añadir punto de degradado", + "SSE.Views.CellSettings.tipAddGradientPoint": "Agregar punto de degradado", "SSE.Views.CellSettings.tipAll": "Establecer borde exterior y todas las líneas interiores ", "SSE.Views.CellSettings.tipBottom": "Establecer sólo borde exterior inferior", "SSE.Views.CellSettings.tipDiagD": "Establecer borde diagonal abajo", @@ -1530,7 +1547,7 @@ "SSE.Views.ChartDataDialog.errorNoSingleRowCol": "La referencia no es válida. Las referencias a títulos, valores, tamaños, o etiquetas de datos deben ser una sola celda, fila o columna.", "SSE.Views.ChartDataDialog.errorNoValues": "Para crear un gráfico, las series deben contener al menos un valor.", "SSE.Views.ChartDataDialog.errorStockChart": "Orden de las filas incorrecto. Para crear un gráfico de cotizaciones introduzca los datos en la hoja en el siguiente orden: precio de apertura, precio máximo, precio mínimo, precio de cierre.", - "SSE.Views.ChartDataDialog.textAdd": "Añadir", + "SSE.Views.ChartDataDialog.textAdd": "Agregar", "SSE.Views.ChartDataDialog.textCategory": "Horizontal (Categoría) Etiquetas de Eje", "SSE.Views.ChartDataDialog.textData": "Rango de datos del gráfico", "SSE.Views.ChartDataDialog.textDelete": "Eliminar", @@ -1872,6 +1889,7 @@ "SSE.Views.DocumentHolder.textCrop": "Recortar", "SSE.Views.DocumentHolder.textCropFill": "Relleno", "SSE.Views.DocumentHolder.textCropFit": "Adaptar", + "SSE.Views.DocumentHolder.textEditPoints": "Modificar puntos", "SSE.Views.DocumentHolder.textEntriesList": "Seleccionar de la lista desplegable", "SSE.Views.DocumentHolder.textFlipH": "Voltear horizontalmente", "SSE.Views.DocumentHolder.textFlipV": "Voltear verticalmente", @@ -1904,7 +1922,7 @@ "SSE.Views.DocumentHolder.textVar": "Var", "SSE.Views.DocumentHolder.topCellText": "Alinear en la parte superior", "SSE.Views.DocumentHolder.txtAccounting": "Contabilidad", - "SSE.Views.DocumentHolder.txtAddComment": "Añadir comentario", + "SSE.Views.DocumentHolder.txtAddComment": "Agregar comentario", "SSE.Views.DocumentHolder.txtAddNamedRange": "Definir Nombre", "SSE.Views.DocumentHolder.txtArrange": "Arreglar", "SSE.Views.DocumentHolder.txtAscending": "Ascendente", @@ -2019,8 +2037,8 @@ "SSE.Views.FileMenuPanels.CreateNew.txtBlank": "Hoja de cálculo en blanco", "SSE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Crear nueva", "SSE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Aplicar", - "SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Añadir autor", - "SSE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Añadir texto", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Agregar autor", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Agregar texto", "SSE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplicación", "SSE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Autor", "SSE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Cambiar derechos de acceso", @@ -2045,7 +2063,7 @@ "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": "Añadir la versión al almacenamiento después de hacer clic en Guardar o Ctrl+S", + "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", @@ -2133,7 +2151,7 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "La edición eliminará las firmas de la hoja de cálculo
¿Está seguro de que quiere continuar?", "SSE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "Esta hoja de cálculo se ha protegido con una contraseña", "SSE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "Esta hoja de cálculo debe firmarse.", - "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Firmas válidas se han añadido a la hoja de cálculo. La hoja de cálculo está protegida y no se puede editar.", + "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", @@ -2193,7 +2211,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Mínimo", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Punto mínimo", "SSE.Views.FormatRulesEditDlg.textNegative": "Negativo", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Añadir nuevo color personalizado", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Agregar nuevo 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.", @@ -2241,6 +2259,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Editar regla de formato", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Nueva regla de formato", "SSE.Views.FormatRulesManagerDlg.guestText": "Invitado", + "SSE.Views.FormatRulesManagerDlg.lockText": "Bloqueado", "SSE.Views.FormatRulesManagerDlg.text1Above": "1 desv. est. por encima del promedio", "SSE.Views.FormatRulesManagerDlg.text1Below": "1 desv. est. por debajo del promedio", "SSE.Views.FormatRulesManagerDlg.text2Above": "2 desv. est. por encima del promedio", @@ -2361,7 +2380,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": "Color Personalizado", + "SSE.Views.HeaderFooterDialog.textNewColor": "Agregar nuevo 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", @@ -2402,6 +2421,7 @@ "SSE.Views.ImageSettings.textCrop": "Recortar", "SSE.Views.ImageSettings.textCropFill": "Relleno", "SSE.Views.ImageSettings.textCropFit": "Adaptar", + "SSE.Views.ImageSettings.textCropToShape": "Recortar a la forma", "SSE.Views.ImageSettings.textEdit": "Editar", "SSE.Views.ImageSettings.textEditObject": "Editar objeto", "SSE.Views.ImageSettings.textFlip": "Volteo", @@ -2416,6 +2436,7 @@ "SSE.Views.ImageSettings.textInsert": "Reemplazar imagen", "SSE.Views.ImageSettings.textKeepRatio": "Proporciones constantes", "SSE.Views.ImageSettings.textOriginalSize": "Tamaño actual", + "SSE.Views.ImageSettings.textRecentlyUsed": "Usados recientemente", "SSE.Views.ImageSettings.textRotate90": "Girar 90°", "SSE.Views.ImageSettings.textRotation": "Rotación", "SSE.Views.ImageSettings.textSize": "Tamaño", @@ -2493,6 +2514,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "Pegar nombre", "SSE.Views.NameManagerDlg.closeButtonText": "Cerrar", "SSE.Views.NameManagerDlg.guestText": "Visitante", + "SSE.Views.NameManagerDlg.lockText": "Bloqueado", "SSE.Views.NameManagerDlg.textDataRange": "Alcance de Datos", "SSE.Views.NameManagerDlg.textDelete": "Eliminar", "SSE.Views.NameManagerDlg.textEdit": "Editar", @@ -2606,10 +2628,10 @@ "SSE.Views.PivotSettings.textFilters": "Filtros", "SSE.Views.PivotSettings.textRows": "Filas", "SSE.Views.PivotSettings.textValues": "Valores", - "SSE.Views.PivotSettings.txtAddColumn": "Añadir a columna", - "SSE.Views.PivotSettings.txtAddFilter": "Añadir a filtros", - "SSE.Views.PivotSettings.txtAddRow": "Añadir a filas", - "SSE.Views.PivotSettings.txtAddValues": "Añadir a valores", + "SSE.Views.PivotSettings.txtAddColumn": "Agregar a columna", + "SSE.Views.PivotSettings.txtAddFilter": "Agregar a filtros", + "SSE.Views.PivotSettings.txtAddRow": "Agregar a filas", + "SSE.Views.PivotSettings.txtAddValues": "Agregar a valores", "SSE.Views.PivotSettings.txtFieldSettings": "Ajustes de campo", "SSE.Views.PivotSettings.txtMoveBegin": "Mover al principio", "SSE.Views.PivotSettings.txtMoveColumn": "Mover a la columna", @@ -2724,6 +2746,44 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "Seleccionar rango", "SSE.Views.PrintTitlesDialog.textTitle": "Imprimir títulos", "SSE.Views.PrintTitlesDialog.textTop": "Repetir filas en la parte superior", + "SSE.Views.PrintWithPreview.txtActualSize": "Tamaño real", + "SSE.Views.PrintWithPreview.txtAllSheets": "Todas las hojas", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Aplicar a todas las hojas", + "SSE.Views.PrintWithPreview.txtBottom": "Abajo ", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Hoja actual", + "SSE.Views.PrintWithPreview.txtCustom": "Personalizado", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Opciones personalizadas", + "SSE.Views.PrintWithPreview.txtEmptyTable": "No hay nada para imprimir porque la tabla está vacía", + "SSE.Views.PrintWithPreview.txtFitCols": "Ajustar todas las columnas en una página", + "SSE.Views.PrintWithPreview.txtFitPage": "Ajustar la hoja en una página", + "SSE.Views.PrintWithPreview.txtFitRows": "Ajustar todas las filas en una página", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Cuadrículas y encabezados", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Ajustes de encabezado / pie de página", + "SSE.Views.PrintWithPreview.txtIgnore": "Omitir el área de impresión", + "SSE.Views.PrintWithPreview.txtLandscape": "Horizontal", + "SSE.Views.PrintWithPreview.txtLeft": "A la izquierda", + "SSE.Views.PrintWithPreview.txtMargins": "Márgenes", + "SSE.Views.PrintWithPreview.txtOf": "de {0}", + "SSE.Views.PrintWithPreview.txtPage": "Página", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "Número de página no válido", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Orientación de la página", + "SSE.Views.PrintWithPreview.txtPageSize": "Tamaño de la página", + "SSE.Views.PrintWithPreview.txtPortrait": "Vertical", + "SSE.Views.PrintWithPreview.txtPrint": "Imprimir", + "SSE.Views.PrintWithPreview.txtPrintGrid": "Imprimir líneas de cuadrícula", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "Imprimir títulos de filas y columnas", + "SSE.Views.PrintWithPreview.txtPrintRange": "Área de impresión", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Imprimir títulos", + "SSE.Views.PrintWithPreview.txtRepeat": "Repetir...", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "Repetir columnas a la izquierda", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "Repetir filas en la parte superior", + "SSE.Views.PrintWithPreview.txtRight": "A la derecha", + "SSE.Views.PrintWithPreview.txtSave": "Guardar", + "SSE.Views.PrintWithPreview.txtScaling": "Escala", + "SSE.Views.PrintWithPreview.txtSelection": "Selección ", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Ajustes de la hoja", + "SSE.Views.PrintWithPreview.txtSheet": "Hoja: {0}", + "SSE.Views.PrintWithPreview.txtTop": "Arriba", "SSE.Views.ProtectDialog.textExistName": "¡ERROR! El rango con ese título ya existe", "SSE.Views.ProtectDialog.textInvalidName": "El título del rango debe comenzar con una letra y sólo puede contener letras, números y espacios.", "SSE.Views.ProtectDialog.textInvalidRange": "¡ERROR! Rango de celdas no válido", @@ -2758,6 +2818,7 @@ "SSE.Views.ProtectDialog.txtWBDescription": "Para evitar que otros usuarios vean las hojas de cálculo ocultas, añadan, muevan, eliminen u oculten hojas de cálculo y cambien el nombre de las mismas, puede proteger la estructura de su libro con una contraseña.", "SSE.Views.ProtectDialog.txtWBTitle": "Proteger la estructura del Libro", "SSE.Views.ProtectRangesDlg.guestText": "Invitado", + "SSE.Views.ProtectRangesDlg.lockText": "Bloqueado", "SSE.Views.ProtectRangesDlg.textDelete": "Eliminar", "SSE.Views.ProtectRangesDlg.textEdit": "Editar", "SSE.Views.ProtectRangesDlg.textEmpty": "No hay rangos permitidos para la edición.", @@ -2837,6 +2898,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "Patrón", "SSE.Views.ShapeSettings.textPosition": "Posición", "SSE.Views.ShapeSettings.textRadial": "Radial", + "SSE.Views.ShapeSettings.textRecentlyUsed": "Usados recientemente", "SSE.Views.ShapeSettings.textRotate90": "Girar 90°", "SSE.Views.ShapeSettings.textRotation": "Rotación", "SSE.Views.ShapeSettings.textSelectImage": "Seleccionar imagen", @@ -2845,7 +2907,7 @@ "SSE.Views.ShapeSettings.textStyle": "Estilo", "SSE.Views.ShapeSettings.textTexture": "De textura", "SSE.Views.ShapeSettings.textTile": "Mosaico", - "SSE.Views.ShapeSettings.tipAddGradientPoint": "Añadir punto de degradado", + "SSE.Views.ShapeSettings.tipAddGradientPoint": "Agregar punto de degradado", "SSE.Views.ShapeSettings.tipRemoveGradientPoint": "Eliminar gradiente de punto", "SSE.Views.ShapeSettings.txtBrownPaper": "Papel marrón", "SSE.Views.ShapeSettings.txtCanvas": "Lienzo", @@ -2917,7 +2979,7 @@ "SSE.Views.SignatureSettings.txtEditWarning": "La edición eliminará las firmas de la hoja de cálculo
¿Está seguro de que quiere continuar?", "SSE.Views.SignatureSettings.txtRemoveWarning": "¿Desea eliminar esta firma?
No se puede deshacer.", "SSE.Views.SignatureSettings.txtRequestedSignatures": "Esta hoja de cálculo debe firmarse.", - "SSE.Views.SignatureSettings.txtSigned": "Firmas válidas se han añadido a la hoja de cálculo. La hoja de cálculo está protegida y no se puede editar.", + "SSE.Views.SignatureSettings.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.SignatureSettings.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.SlicerAddDialog.textColumns": "Columnas", "SSE.Views.SlicerAddDialog.txtTitle": "Insertar segmentaciones de datos", @@ -2991,7 +3053,7 @@ "SSE.Views.SortDialog.errorNotOriginalRow": "La fila que ha seleccionado no está en el rango seleccionado originalmente. ", "SSE.Views.SortDialog.errorSameColumnColor": "%1 está siendo clasificado por el mismo color más de una vez. Elimine los criterios de clasificación duplicados y vuelva a intentarlo.", "SSE.Views.SortDialog.errorSameColumnValue": "%1 está siendo ordenado por valores más de una vez.
Elimine los criterios de clasificación duplicados y vuelva a intentarlo.", - "SSE.Views.SortDialog.textAdd": "Añadir nivel", + "SSE.Views.SortDialog.textAdd": "Agregar nivel", "SSE.Views.SortDialog.textAsc": "Ascendente", "SSE.Views.SortDialog.textAuto": "Automático", "SSE.Views.SortDialog.textAZ": "De A a Z", @@ -3029,7 +3091,7 @@ "SSE.Views.SortOptionsDialog.textOrientation": "Orientación ", "SSE.Views.SortOptionsDialog.textTitle": "Opciones de ordenación", "SSE.Views.SortOptionsDialog.textTopBottom": "Ordenar de arriba hacia abajo", - "SSE.Views.SpecialPasteDialog.textAdd": "Añadir", + "SSE.Views.SpecialPasteDialog.textAdd": "Agregar", "SSE.Views.SpecialPasteDialog.textAll": "Todo", "SSE.Views.SpecialPasteDialog.textBlanks": "Saltar blancos", "SSE.Views.SpecialPasteDialog.textColWidth": "Anchos de columna", @@ -3056,7 +3118,7 @@ "SSE.Views.Spellcheck.textChangeAll": "Cambiar todo", "SSE.Views.Spellcheck.textIgnore": "Ignorar", "SSE.Views.Spellcheck.textIgnoreAll": "Ignorar todo", - "SSE.Views.Spellcheck.txtAddToDictionary": "Añadir a Diccionario", + "SSE.Views.Spellcheck.txtAddToDictionary": "Agregar al diccionario", "SSE.Views.Spellcheck.txtComplete": "La corrección ortográfica ha sido completada", "SSE.Views.Spellcheck.txtDictionaryLanguage": "Idioma del diccionario", "SSE.Views.Spellcheck.txtNextTip": "Ir a la siguiente palabra", @@ -3092,12 +3154,13 @@ "SSE.Views.Statusbar.textCount": "Contar", "SSE.Views.Statusbar.textMax": "Máx.", "SSE.Views.Statusbar.textMin": "Mín.", - "SSE.Views.Statusbar.textNewColor": "Color personalizado", + "SSE.Views.Statusbar.textNewColor": "Agregar nuevo color personalizado", "SSE.Views.Statusbar.textNoColor": "Sin color", "SSE.Views.Statusbar.textSum": "Suma", - "SSE.Views.Statusbar.tipAddTab": "Añadir hoja de cálculo", + "SSE.Views.Statusbar.tipAddTab": "Agregar hoja de cálculo", "SSE.Views.Statusbar.tipFirst": "Desplazar hasta la primera hoja", "SSE.Views.Statusbar.tipLast": "Desplazar hasta la última hoja", + "SSE.Views.Statusbar.tipListOfSheets": "Lista de hojas", "SSE.Views.Statusbar.tipNext": "Desplazar la lista de hoja a la derecha", "SSE.Views.Statusbar.tipPrev": "Desplazar la lista de hoja a la izquierda", "SSE.Views.Statusbar.tipZoomFactor": "Zoom", @@ -3188,7 +3251,7 @@ "SSE.Views.TextArtSettings.textTexture": "De textura", "SSE.Views.TextArtSettings.textTile": "Mosaico", "SSE.Views.TextArtSettings.textTransform": "Transformar", - "SSE.Views.TextArtSettings.tipAddGradientPoint": "Añadir punto de degradado", + "SSE.Views.TextArtSettings.tipAddGradientPoint": "Agregar punto de degradado", "SSE.Views.TextArtSettings.tipRemoveGradientPoint": "Eliminar gradiente de punto", "SSE.Views.TextArtSettings.txtBrownPaper": "Papel marrón", "SSE.Views.TextArtSettings.txtCanvas": "Lienzo", @@ -3202,7 +3265,7 @@ "SSE.Views.TextArtSettings.txtNoBorders": "Sin línea", "SSE.Views.TextArtSettings.txtPapyrus": "Papiro", "SSE.Views.TextArtSettings.txtWood": "Madera", - "SSE.Views.Toolbar.capBtnAddComment": "Añadir comentario", + "SSE.Views.Toolbar.capBtnAddComment": "Agregar comentario", "SSE.Views.Toolbar.capBtnColorSchemas": "Combinación de colores", "SSE.Views.Toolbar.capBtnComment": "Comentario", "SSE.Views.Toolbar.capBtnInsHeader": "Encabezado/Pie de página", @@ -3229,7 +3292,7 @@ "SSE.Views.Toolbar.mniImageFromFile": "Imagen desde archivo", "SSE.Views.Toolbar.mniImageFromStorage": "Imagen de Almacenamiento", "SSE.Views.Toolbar.mniImageFromUrl": "Imagen desde url", - "SSE.Views.Toolbar.textAddPrintArea": "Añadir al área de impresión", + "SSE.Views.Toolbar.textAddPrintArea": "Agregar al área de impresión", "SSE.Views.Toolbar.textAlignBottom": "Alinear abajo", "SSE.Views.Toolbar.textAlignCenter": "Alinear al centro", "SSE.Views.Toolbar.textAlignJust": "Alineado", @@ -3278,7 +3341,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": "Color Personalizado", + "SSE.Views.Toolbar.textNewColor": "Agregar nuevo color personalizado", "SSE.Views.Toolbar.textNewRule": "Nueva regla", "SSE.Views.Toolbar.textNoBorders": "Sin bordes", "SSE.Views.Toolbar.textOnePage": "página", @@ -3286,6 +3349,8 @@ "SSE.Views.Toolbar.textPageMarginsCustom": "Márgenes personalizados", "SSE.Views.Toolbar.textPortrait": "Vertical", "SSE.Views.Toolbar.textPrint": "Imprimir", + "SSE.Views.Toolbar.textPrintGridlines": "Imprimir líneas de cuadrícula", + "SSE.Views.Toolbar.textPrintHeadings": "Imprimir cabeceras", "SSE.Views.Toolbar.textPrintOptions": "Opciones de impresión", "SSE.Views.Toolbar.textRight": "Derecho: ", "SSE.Views.Toolbar.textRightBorders": "Bordes derechos", @@ -3354,7 +3419,7 @@ "SSE.Views.Toolbar.tipInsertChart": "Insertar gráfico", "SSE.Views.Toolbar.tipInsertChartSpark": "Insertar gráfico", "SSE.Views.Toolbar.tipInsertEquation": "Insertar ecuación", - "SSE.Views.Toolbar.tipInsertHyperlink": "Añadir hipervínculo", + "SSE.Views.Toolbar.tipInsertHyperlink": "Agregar hipervínculo", "SSE.Views.Toolbar.tipInsertImage": "Insertar imagen", "SSE.Views.Toolbar.tipInsertOpt": "Insertar celdas", "SSE.Views.Toolbar.tipInsertShape": "Insertar autoforma", @@ -3364,7 +3429,16 @@ "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", "SSE.Views.Toolbar.tipPageMargins": "Márgenes de página", "SSE.Views.Toolbar.tipPageOrient": "Orientación de página", @@ -3493,6 +3567,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Varp", "SSE.Views.ViewManagerDlg.closeButtonText": "Cerrar", "SSE.Views.ViewManagerDlg.guestText": "Invitado", + "SSE.Views.ViewManagerDlg.lockText": "Bloqueado", "SSE.Views.ViewManagerDlg.textDelete": "Eliminar", "SSE.Views.ViewManagerDlg.textDuplicate": "Duplicar", "SSE.Views.ViewManagerDlg.textEmpty": "Aún no se han creado vistas.", @@ -3508,7 +3583,9 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "Está tratando de eliminar la vista actualmente habilitada '%1'. ¿Cerrar esta vista y eliminarla?", "SSE.Views.ViewTab.capBtnFreeze": "Congelar paneles", "SSE.Views.ViewTab.capBtnSheetView": "Vista de hoja", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "Mostrar siempre la barra de herramientas", "SSE.Views.ViewTab.textClose": "Cerrar", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Combinar las barras de hoja y de estado", "SSE.Views.ViewTab.textCreate": "Nuevo", "SSE.Views.ViewTab.textDefault": "Predeterminado", "SSE.Views.ViewTab.textFormula": "Barra de fórmulas", @@ -3516,7 +3593,9 @@ "SSE.Views.ViewTab.textFreezeRow": "Inmovilizar fila superior", "SSE.Views.ViewTab.textGridlines": "Líneas de cuadrícula", "SSE.Views.ViewTab.textHeadings": "Encabezados", + "SSE.Views.ViewTab.textInterfaceTheme": "Tema del interfaz", "SSE.Views.ViewTab.textManager": "Administrador de vista", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "Mostrar la sombra de los paneles inmovilizados", "SSE.Views.ViewTab.textUnFreeze": "Movilizar paneles", "SSE.Views.ViewTab.textZeros": "Mostrar ceros", "SSE.Views.ViewTab.textZoom": "Zoom", diff --git a/apps/spreadsheeteditor/main/locale/fr.json b/apps/spreadsheeteditor/main/locale/fr.json index f816049d4..a484271d7 100644 --- a/apps/spreadsheeteditor/main/locale/fr.json +++ b/apps/spreadsheeteditor/main/locale/fr.json @@ -114,6 +114,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nouveau", "Common.UI.ExtendedColorDialog.textRGBErr": "La valeur saisie est incorrecte.
Entrez une valeur numérique de 0 à 255.", "Common.UI.HSBColorPicker.textNoColor": "Pas de couleur", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Masquer le mot de passe", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Afficher le mot de passe", "Common.UI.SearchDialog.textHighlight": "Surligner les résultats", "Common.UI.SearchDialog.textMatchCase": "Сas sensible", "Common.UI.SearchDialog.textReplaceDef": "Saisissez le texte de remplacement", @@ -178,12 +180,14 @@ "Common.Views.Comments.mniAuthorDesc": "Auteur de Z à A", "Common.Views.Comments.mniDateAsc": "Plus ancien", "Common.Views.Comments.mniDateDesc": "Plus récent", + "Common.Views.Comments.mniFilterGroups": "Filtrer par groupe", "Common.Views.Comments.mniPositionAsc": "Du haut", "Common.Views.Comments.mniPositionDesc": "Du bas", "Common.Views.Comments.textAdd": "Ajouter", "Common.Views.Comments.textAddComment": "Ajouter", "Common.Views.Comments.textAddCommentToDoc": "Ajouter un commentaire au document", "Common.Views.Comments.textAddReply": "Ajouter une réponse", + "Common.Views.Comments.textAll": "Tout", "Common.Views.Comments.textAnonym": "Invité", "Common.Views.Comments.textCancel": "Annuler", "Common.Views.Comments.textClose": "Fermer", @@ -197,6 +201,7 @@ "Common.Views.Comments.textResolve": "Résoudre", "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.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", @@ -364,6 +369,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Ouvrir à nouveau", "Common.Views.ReviewPopover.textReply": "Répondre", "Common.Views.ReviewPopover.textResolve": "Résoudre", + "Common.Views.ReviewPopover.textViewResolved": "Vous n'avez pas la permission de rouvrir le commentaire", "Common.Views.ReviewPopover.txtDeleteTip": "Supprimer", "Common.Views.ReviewPopover.txtEditTip": "Modifier", "Common.Views.SaveAsDlg.textLoading": "Chargement", @@ -474,6 +480,7 @@ "SSE.Controllers.DocumentHolder.txtAddVer": "Ajouter une ligne verticale", "SSE.Controllers.DocumentHolder.txtAlignToChar": "Aligner à caractère", "SSE.Controllers.DocumentHolder.txtAll": "(Tous)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "Renvoie le contenu complet du tableau ou les colonnes indiquées, y compris les titres des colonnes, les données et les lignes des totaux du tableau", "SSE.Controllers.DocumentHolder.txtAnd": "et", "SSE.Controllers.DocumentHolder.txtBegins": "Commence par", "SSE.Controllers.DocumentHolder.txtBelowAve": "Au dessous de la moyenne", @@ -483,6 +490,7 @@ "SSE.Controllers.DocumentHolder.txtColumn": "Colonne", "SSE.Controllers.DocumentHolder.txtColumnAlign": "L'alignement de la colonne", "SSE.Controllers.DocumentHolder.txtContains": "Contient", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "Renvoie les cellules de données du tableau ou les colonnes indiquées ", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "Diminuer la taille de l'argument", "SSE.Controllers.DocumentHolder.txtDeleteArg": "Supprimer l'argument", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "Supprimer le saut manuel", @@ -506,6 +514,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Supérieur ou égal à", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "Char au-dessus du texte", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "Char en-dessus du texte", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "Renvoie les titres des colonnes du tableau ou les colonnes indiquées ", "SSE.Controllers.DocumentHolder.txtHeight": "Hauteur", "SSE.Controllers.DocumentHolder.txtHideBottom": "Masquer bordure inférieure", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Cacher limite inférieure", @@ -584,7 +593,9 @@ "SSE.Controllers.DocumentHolder.txtSorting": "Tri", "SSE.Controllers.DocumentHolder.txtSortSelected": "Trier l'objet sélectionné ", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Allonger des crochets", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "Choisissez uniquement cette ligne de la colonne spécifiée", "SSE.Controllers.DocumentHolder.txtTop": "En haut", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "Renvoie les lignes des totaux du tableau ou les colonnes indiquées ", "SSE.Controllers.DocumentHolder.txtUnderbar": "Barre en dessous d'un texte", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Annuler l'expansion automatique du tableau", "SSE.Controllers.DocumentHolder.txtUseTextImport": "Utiliser l'assistant d'importation de texte", @@ -639,6 +650,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "L'opération ne peut pas être effectuée car la zone contient des cellules filtrées.
Veuillez supprimer les filtres et réessayez.", "SSE.Controllers.Main.errorBadImageUrl": "L'URL d'image est incorrecte", "SSE.Controllers.Main.errorCannotUngroup": "Impossible de dissocier. Pour construire un plan, sélectionnez les lignes ou les colonnes de détail et groupez-les.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "Vous ne pouvez pas utiliser cette commande sur une feuille protégée. Pour utiliser cette commande, retirez la protection de la feuille.
Il peut vous être demandé de saisir un mot de passe.", "SSE.Controllers.Main.errorChangeArray": "Impossible de modifier une partie de matrice.", "SSE.Controllers.Main.errorChangeFilteredRange": "Cette action va modifier une plage de données filtrée sur votre feuille de calcul.
Pour réaliser cette action, veuillez supprimer les filtres automatiques.", "SSE.Controllers.Main.errorChangeOnProtectedSheet": "La cellule ou le graphique que vous essayez de modifier se trouve sur une feuille protégée.
Pour effectuer une modification, déprotégez la feuille. Il se peut que l'on vous demande de saisir un mot de passe.", @@ -769,6 +781,7 @@ "SSE.Controllers.Main.textNoLicenseTitle": "La limite de la licence est atteinte", "SSE.Controllers.Main.textPaidFeature": "Fonction payante", "SSE.Controllers.Main.textPleaseWait": "L'opération peut prendre plus de temps que prévu. Veuillez patienter...", + "SSE.Controllers.Main.textReconnect": "La connexion est restaurée", "SSE.Controllers.Main.textRemember": "Se souvenir de mon choix pour tous les fichiers", "SSE.Controllers.Main.textRenameError": "Le nom d'utilisateur ne peut être vide.", "SSE.Controllers.Main.textRenameLabel": "Entrez un nom à utiliser pour la collaboration", @@ -1060,6 +1073,7 @@ "SSE.Controllers.Statusbar.errorLastSheet": "Un classeur doit avoir au moins une feuille de calcul visible.", "SSE.Controllers.Statusbar.errorRemoveSheet": "Impossible de supprimer la feuille de calcul.", "SSE.Controllers.Statusbar.strSheet": "Feuille", + "SSE.Controllers.Statusbar.textDisconnect": "La connexion est perdue
Tentative de connexion. Veuillez vérifier les paramètres de connexion.", "SSE.Controllers.Statusbar.textSheetViewTip": "Vous avez activé le mode d'affichage d'une feuille. Les filtres et les tris sont visibles uniquement à vous et à ceux/celles qui ont activé ce mode.", "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Vous êtes dans le mode aperçu d'une feuille de calcul. Les filtres sont visibles seulement à vous et à ceux qui sont aussi dans ce mode. ", "SSE.Controllers.Statusbar.warnDeleteSheet": "La feuille de travail peut contenir des données. Êtes-vous sûr de vouloir continuer ?", @@ -1085,6 +1099,7 @@ "SSE.Controllers.Toolbar.textPivot": "Tableau croisé dynamique", "SSE.Controllers.Toolbar.textRadical": "Radicaux", "SSE.Controllers.Toolbar.textRating": "Évaluations", + "SSE.Controllers.Toolbar.textRecentlyUsed": "Récemment utilisé", "SSE.Controllers.Toolbar.textScript": "Scripts", "SSE.Controllers.Toolbar.textShapes": "Formes", "SSE.Controllers.Toolbar.textSymbols": "Symboles", @@ -1426,7 +1441,9 @@ "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Séparateur décimal", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Séparateur de milliers", "SSE.Views.AdvancedSeparatorDialog.textLabel": "Paramètres de reconnaissance du format de nombre", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "Qualificateur de texte", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Paramètres avancés", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(aucun)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Filtre personnalisé", "SSE.Views.AutoFilterDialog.textAddSelection": "Ajouter la sélection actuelle pour filtrer", "SSE.Views.AutoFilterDialog.textEmptyItem": "{Vides}", @@ -1872,6 +1889,7 @@ "SSE.Views.DocumentHolder.textCrop": "Rogner", "SSE.Views.DocumentHolder.textCropFill": "Remplissage", "SSE.Views.DocumentHolder.textCropFit": "Ajuster", + "SSE.Views.DocumentHolder.textEditPoints": "Modifier les points", "SSE.Views.DocumentHolder.textEntriesList": "Choisir dans la liste déroulante", "SSE.Views.DocumentHolder.textFlipH": "Retourner horizontalement", "SSE.Views.DocumentHolder.textFlipV": "Retourner verticalement", @@ -2241,6 +2259,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Modifier les règles de la mise en forme", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Nouvelle règle de mise en forme", "SSE.Views.FormatRulesManagerDlg.guestText": "Invité", + "SSE.Views.FormatRulesManagerDlg.lockText": "Verrouillé", "SSE.Views.FormatRulesManagerDlg.text1Above": "1 écart type au-dessus de la moyenne", "SSE.Views.FormatRulesManagerDlg.text1Below": "1 écart type en dessous de la moyenne", "SSE.Views.FormatRulesManagerDlg.text2Above": "2 écarts types au-dessus de la moyenne", @@ -2402,6 +2421,7 @@ "SSE.Views.ImageSettings.textCrop": "Rogner", "SSE.Views.ImageSettings.textCropFill": "Remplissage", "SSE.Views.ImageSettings.textCropFit": "Ajuster", + "SSE.Views.ImageSettings.textCropToShape": "Rogner à la forme", "SSE.Views.ImageSettings.textEdit": "Modifier", "SSE.Views.ImageSettings.textEditObject": "Modifier l'objet", "SSE.Views.ImageSettings.textFlip": "Retournement", @@ -2416,6 +2436,7 @@ "SSE.Views.ImageSettings.textInsert": "Remplacer l’image", "SSE.Views.ImageSettings.textKeepRatio": "Proportions constantes", "SSE.Views.ImageSettings.textOriginalSize": "Taille actuelle", + "SSE.Views.ImageSettings.textRecentlyUsed": "Récemment utilisé", "SSE.Views.ImageSettings.textRotate90": "Faire pivoter de 90°", "SSE.Views.ImageSettings.textRotation": "Rotation", "SSE.Views.ImageSettings.textSize": "Taille", @@ -2493,6 +2514,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "Coller un nom ", "SSE.Views.NameManagerDlg.closeButtonText": "Fermer", "SSE.Views.NameManagerDlg.guestText": "Invité", + "SSE.Views.NameManagerDlg.lockText": "Verrouillé", "SSE.Views.NameManagerDlg.textDataRange": "Plage de données", "SSE.Views.NameManagerDlg.textDelete": "Supprimer", "SSE.Views.NameManagerDlg.textEdit": "Modifier", @@ -2724,6 +2746,44 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "Sélectionner la ligne", "SSE.Views.PrintTitlesDialog.textTitle": "Titres à imprimer", "SSE.Views.PrintTitlesDialog.textTop": "Répéter les lignes en haut", + "SSE.Views.PrintWithPreview.txtActualSize": "Taille réelle", + "SSE.Views.PrintWithPreview.txtAllSheets": "Toutes les feuilles", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Appliquer à toutes les feuilles", + "SSE.Views.PrintWithPreview.txtBottom": "Bas", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Feuille actuelle", + "SSE.Views.PrintWithPreview.txtCustom": "Personnalisé", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Options personnalisées", + "SSE.Views.PrintWithPreview.txtEmptyTable": "Il n'y a rien à imprimer, car le tableau est vide", + "SSE.Views.PrintWithPreview.txtFitCols": "Ajuster toutes les colonnes à une page", + "SSE.Views.PrintWithPreview.txtFitPage": "Ajuster la feuille à une page", + "SSE.Views.PrintWithPreview.txtFitRows": "Ajuster toutes les lignes à une page", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Quadrillage et titres", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Paramètres de l'en-tête/du pied de page", + "SSE.Views.PrintWithPreview.txtIgnore": "Ignorer la zone d'impression", + "SSE.Views.PrintWithPreview.txtLandscape": "Paysage", + "SSE.Views.PrintWithPreview.txtLeft": "A gauche", + "SSE.Views.PrintWithPreview.txtMargins": "Marges", + "SSE.Views.PrintWithPreview.txtOf": "de {0}", + "SSE.Views.PrintWithPreview.txtPage": "Page", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "Numéro de page non valide", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Orientation de page", + "SSE.Views.PrintWithPreview.txtPageSize": "Taille de la page", + "SSE.Views.PrintWithPreview.txtPortrait": "Portrait", + "SSE.Views.PrintWithPreview.txtPrint": "Imprimer", + "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.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", + "SSE.Views.PrintWithPreview.txtRight": "A droite", + "SSE.Views.PrintWithPreview.txtSave": "Enregistrer", + "SSE.Views.PrintWithPreview.txtScaling": "Mise à l'échelle", + "SSE.Views.PrintWithPreview.txtSelection": "Sélection", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Paramètres de la feuille", + "SSE.Views.PrintWithPreview.txtSheet": "Feuille : {0}", + "SSE.Views.PrintWithPreview.txtTop": "Haut", "SSE.Views.ProtectDialog.textExistName": "ERREUR ! Une plage avec ce titre existe déjà", "SSE.Views.ProtectDialog.textInvalidName": "Le titre de la plage doit commencer par une lettre et ne peut contenir que des lettres, des chiffres et des espaces.", "SSE.Views.ProtectDialog.textInvalidRange": "ERREUR! La plage de cellules non valide", @@ -2758,6 +2818,7 @@ "SSE.Views.ProtectDialog.txtWBDescription": "Pour empêcher les autres utilisateurs d'afficher les feuilles de calcul cachées, d'ajouter, de déplacer, de supprimer ou de masquer des feuilles de calcul et de renommer des feuilles de calcul, vous pouvez protéger la structure de votre livre par un mot de passe.", "SSE.Views.ProtectDialog.txtWBTitle": "Protéger la structure du livre", "SSE.Views.ProtectRangesDlg.guestText": "Invité", + "SSE.Views.ProtectRangesDlg.lockText": "Verrouillé", "SSE.Views.ProtectRangesDlg.textDelete": "Supprimer", "SSE.Views.ProtectRangesDlg.textEdit": "Modifier", "SSE.Views.ProtectRangesDlg.textEmpty": "Aucune plage n'est autorisée pour la modification.", @@ -2837,6 +2898,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "Modèle", "SSE.Views.ShapeSettings.textPosition": "Position", "SSE.Views.ShapeSettings.textRadial": "Radial", + "SSE.Views.ShapeSettings.textRecentlyUsed": "Récemment utilisé", "SSE.Views.ShapeSettings.textRotate90": "Faire pivoter de 90°", "SSE.Views.ShapeSettings.textRotation": "Rotation", "SSE.Views.ShapeSettings.textSelectImage": "Sélectionner l'image", @@ -3098,6 +3160,7 @@ "SSE.Views.Statusbar.tipAddTab": "Ajouter feuille de calcul", "SSE.Views.Statusbar.tipFirst": "Faire défiler vers la première feuille de calcul", "SSE.Views.Statusbar.tipLast": "Faire défiler vers la dernière feuille de calcul", + "SSE.Views.Statusbar.tipListOfSheets": "Liste des feuilles", "SSE.Views.Statusbar.tipNext": "Faire défiler la liste des feuilles à droite", "SSE.Views.Statusbar.tipPrev": "Faire défiler la liste des feuilles à gauche", "SSE.Views.Statusbar.tipZoomFactor": "Zoom", @@ -3286,6 +3349,8 @@ "SSE.Views.Toolbar.textPageMarginsCustom": "Marges personnalisées", "SSE.Views.Toolbar.textPortrait": "Portrait", "SSE.Views.Toolbar.textPrint": "Imprimer", + "SSE.Views.Toolbar.textPrintGridlines": "Imprimer le quadrillage", + "SSE.Views.Toolbar.textPrintHeadings": "Imprimer les titres", "SSE.Views.Toolbar.textPrintOptions": "Paramètres d'impression", "SSE.Views.Toolbar.textRight": "A droite: ", "SSE.Views.Toolbar.textRightBorders": "Bordures droites", @@ -3364,7 +3429,16 @@ "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", "SSE.Views.Toolbar.tipPageMargins": "Marges de la page", "SSE.Views.Toolbar.tipPageOrient": "Orientation de la page", @@ -3493,6 +3567,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Varp", "SSE.Views.ViewManagerDlg.closeButtonText": "Fermer", "SSE.Views.ViewManagerDlg.guestText": "Invité", + "SSE.Views.ViewManagerDlg.lockText": "Verrouillé", "SSE.Views.ViewManagerDlg.textDelete": "Supprimer", "SSE.Views.ViewManagerDlg.textDuplicate": "Dupliquer", "SSE.Views.ViewManagerDlg.textEmpty": "Aucun aperçu n'a été créé.", @@ -3508,7 +3583,9 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "Vous essayez de supprimer l'affichage '%1' qui est maintenant actif.
Fermer et supprimer cet affichage ?", "SSE.Views.ViewTab.capBtnFreeze": "Verrouiller les volets", "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.textCreate": "Nouveau", "SSE.Views.ViewTab.textDefault": "Par défaut", "SSE.Views.ViewTab.textFormula": "Barre de formule", @@ -3516,7 +3593,9 @@ "SSE.Views.ViewTab.textFreezeRow": "Verouiller la ligne supérieure", "SSE.Views.ViewTab.textGridlines": "Quadrillage", "SSE.Views.ViewTab.textHeadings": "En-têtes", + "SSE.Views.ViewTab.textInterfaceTheme": "Thème d’interface", "SSE.Views.ViewTab.textManager": "Gestionnaire d'affichage", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "Afficher l'ombre des zones figées", "SSE.Views.ViewTab.textUnFreeze": "Libérer les volets", "SSE.Views.ViewTab.textZeros": "Afficher des zéros", "SSE.Views.ViewTab.textZoom": "Changer l'échelle", diff --git a/apps/spreadsheeteditor/main/locale/gl.json b/apps/spreadsheeteditor/main/locale/gl.json index 7a7662adc..5ce47c8cc 100644 --- a/apps/spreadsheeteditor/main/locale/gl.json +++ b/apps/spreadsheeteditor/main/locale/gl.json @@ -114,6 +114,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Novo", "Common.UI.ExtendedColorDialog.textRGBErr": "O valor introducido é incorrecto.
Insira un valor numérico entre 0 e 255.", "Common.UI.HSBColorPicker.textNoColor": "Sen cor", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Agochar o contrasinal", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Amosar o contrasinal", "Common.UI.SearchDialog.textHighlight": "Realzar resultados", "Common.UI.SearchDialog.textMatchCase": "Diferenciar maiúsculas de minúsculas", "Common.UI.SearchDialog.textReplaceDef": "Inserir o texto da substitución", @@ -178,12 +180,14 @@ "Common.Views.Comments.mniAuthorDesc": "Autor do Z ao A", "Common.Views.Comments.mniDateAsc": "Máis antigo", "Common.Views.Comments.mniDateDesc": "Novidades", + "Common.Views.Comments.mniFilterGroups": "Filtrar por grupo", "Common.Views.Comments.mniPositionAsc": "Desde enriba", "Common.Views.Comments.mniPositionDesc": "Desde abaixo", "Common.Views.Comments.textAdd": "Engadir", "Common.Views.Comments.textAddComment": "Engadir comentario", "Common.Views.Comments.textAddCommentToDoc": "Engadir comentario ao documento", "Common.Views.Comments.textAddReply": "Engadir resposta", + "Common.Views.Comments.textAll": "Todo", "Common.Views.Comments.textAnonym": "Convidado(a)", "Common.Views.Comments.textCancel": "Cancelar", "Common.Views.Comments.textClose": "Pechar", @@ -197,6 +201,7 @@ "Common.Views.Comments.textResolve": "Resolver", "Common.Views.Comments.textResolved": "Resolto", "Common.Views.Comments.textSort": "Ordenar comentarios", + "Common.Views.Comments.textViewResolved": "Non ten permiso para volver a abrir o documento", "Common.Views.CopyWarningDialog.textDontShow": "Non volver a amosar esta mensaxe", "Common.Views.CopyWarningDialog.textMsg": "As accións de copiar, cortar e pegar empregando os botóns da barra de ferramentas do editor e as accións do menú contextual realizaranse só nesta pestana do editor.

Para copiar ou pegar en ou desde aplicativos fóra da pestana do editor, use as seguintes combinacións de teclado:", "Common.Views.CopyWarningDialog.textTitle": "Accións de copiar, cortar e pegar", @@ -364,6 +369,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Abrir novamente", "Common.Views.ReviewPopover.textReply": "Responder", "Common.Views.ReviewPopover.textResolve": "Resolver", + "Common.Views.ReviewPopover.textViewResolved": "Non ten permiso para volver a abrir o documento", "Common.Views.ReviewPopover.txtDeleteTip": "Eliminar", "Common.Views.ReviewPopover.txtEditTip": "Editar", "Common.Views.SaveAsDlg.textLoading": "Cargando", @@ -474,6 +480,7 @@ "SSE.Controllers.DocumentHolder.txtAddVer": "Engadir liña vertical", "SSE.Controllers.DocumentHolder.txtAlignToChar": "Aliñar ao carácter", "SSE.Controllers.DocumentHolder.txtAll": "(Todos)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "Devolve todo o contido da táboa ou das columnas da táboa especificadas, incluíndo as cabeceiras das columnas, os datos e as filas totais", "SSE.Controllers.DocumentHolder.txtAnd": "e", "SSE.Controllers.DocumentHolder.txtBegins": "comeza con", "SSE.Controllers.DocumentHolder.txtBelowAve": "Por debaixo da media", @@ -483,6 +490,7 @@ "SSE.Controllers.DocumentHolder.txtColumn": "Columna", "SSE.Controllers.DocumentHolder.txtColumnAlign": "Aliñación da columna", "SSE.Controllers.DocumentHolder.txtContains": "contén", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "Devolve as celas de datos da táboa ou das columnas da táboa especificadas", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "Diminuír tamaño de argumento", "SSE.Controllers.DocumentHolder.txtDeleteArg": "Eliminar argumento", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "Borrar salto manual", @@ -506,6 +514,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Superior a ou igual a", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "Caracter sobre o texto", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "Caracter debaixo do texto", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "Devolve as cabeceiras das columnas da táboa ou das columnas da táboa especificadas", "SSE.Controllers.DocumentHolder.txtHeight": "Altura", "SSE.Controllers.DocumentHolder.txtHideBottom": "Agochar bordo inferior", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Agochar límite inferior", @@ -584,7 +593,9 @@ "SSE.Controllers.DocumentHolder.txtSorting": "Ordenación", "SSE.Controllers.DocumentHolder.txtSortSelected": "Ordenar os obxectos seleccionados", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Alongar corchetes", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "Elixa só esta fila da columna especificada", "SSE.Controllers.DocumentHolder.txtTop": "Parte superior", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "Devolve o total das filas da táboa ou das columnas da táboa especificadas", "SSE.Controllers.DocumentHolder.txtUnderbar": "Barra abaixo de texto", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Desfacer a expansión automática da táboa", "SSE.Controllers.DocumentHolder.txtUseTextImport": "Usar o asistente para importar texto", @@ -639,6 +650,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "A operación non se pode realizar porque a área contén celas filtradas.
Por favor, mostra os elementos filtrados e inténtao de novo.", "SSE.Controllers.Main.errorBadImageUrl": "A URL da imaxe é incorrecta", "SSE.Controllers.Main.errorCannotUngroup": "Non se pode desagrupar. Para crear un esquema do docuemnto, seleccione filas ou columnas e agrupalas.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "Non pode usar esta orde nunha folla protexida. Para usar esta orde, desprotexa a folla.
É posible que che pidan un contrasinal.", "SSE.Controllers.Main.errorChangeArray": "Non podes cambiar parte dunha matriz.", "SSE.Controllers.Main.errorChangeFilteredRange": "Isto cambiará un intervalo filtrado na súa folla de traballo.
Para completar esta tarefa, elimine os filtros automáticos.", "SSE.Controllers.Main.errorChangeOnProtectedSheet": "A cela ou o gráfico que está intentando cambiar está nunha folla protexida.
Para facer un cambio, desprotexa a folla. Pódeselle solicitar que introduza un contrasinal.", @@ -754,6 +766,11 @@ "SSE.Controllers.Main.textConvertEquation": "Esta ecuación creouse cunha versión antiga do editor de ecuacións que xa non é compatible. Para editalo, converte a ecuación ao formato Office Math ML.
Converter agora?", "SSE.Controllers.Main.textCustomLoader": "Observe que, de acordo cos termos da licenza, non ten dereito a cambiar o cargador.
Entre en contacto co noso Departamento de Vendas para obter unha cotización.", "SSE.Controllers.Main.textDisconnect": "Perdeuse a conexión", + "SSE.Controllers.Main.textFillOtherRows": "Encher outras filas", + "SSE.Controllers.Main.textFormulaFilledAllRows": "A fórmula encheu {0} filas que teñen datos. Encher outras filas vacías pode requerir uns minutos.", + "SSE.Controllers.Main.textFormulaFilledAllRowsWithEmpty": "A fórmula encheu as primeiras{0}filas. Encher outras filas vacías pode requerir uns minutos.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherHaveData": "A fórmula encheu só as primeiras {0} filas que teñen datos por razóns de aforro de memoria. Hai outras {1} filas con datos nesta folla. Podes volver enchelas manualmente.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherIsEmpty": "A fórmula encheu só as primeiras {0} filas por razóns de aforro de memoria. As demais filas desta folla non teñen datos.", "SSE.Controllers.Main.textGuest": "Convidado(a)", "SSE.Controllers.Main.textHasMacros": "O ficheiro contén macros automáticas.
Quere executar macros?", "SSE.Controllers.Main.textLearnMore": "Para saber máis", @@ -764,6 +781,7 @@ "SSE.Controllers.Main.textNoLicenseTitle": "Alcanzouse o límite da licenza", "SSE.Controllers.Main.textPaidFeature": "Característica de pago", "SSE.Controllers.Main.textPleaseWait": "A operación pode tomar máis tiempo do esperado. Agarde...", + "SSE.Controllers.Main.textReconnect": "Restaurouse a conexión", "SSE.Controllers.Main.textRemember": "Recordar a miña elección para todos os ficheiros", "SSE.Controllers.Main.textRenameError": "O nome de usuario non pode estar vacío.", "SSE.Controllers.Main.textRenameLabel": "Insira un nome que se usará para a colaboración", @@ -1055,6 +1073,7 @@ "SSE.Controllers.Statusbar.errorLastSheet": "Un libro debe conter ao menos unha folla visible.", "SSE.Controllers.Statusbar.errorRemoveSheet": "Imposible borrar a folla de cálculo.", "SSE.Controllers.Statusbar.strSheet": "Folla", + "SSE.Controllers.Statusbar.textDisconnect": "Perdeuse a conexión
Intentando conectarse. Comproba a configuración de conexión.", "SSE.Controllers.Statusbar.textSheetViewTip": "Está en modo Vista de follas. Os filtros e a clasificación só son visibles para vostede e os que aínda están nesta vista.", "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Está en modo Vista de follas. Os filtros só son visibles para vostede e os que aínda están nesta vista.", "SSE.Controllers.Statusbar.warnDeleteSheet": "As follas de traballo seleccionadas ppoden conter datos. Ten a certeza de que quere proceder?", @@ -1080,6 +1099,7 @@ "SSE.Controllers.Toolbar.textPivot": "Táboa pivote", "SSE.Controllers.Toolbar.textRadical": "Radicais", "SSE.Controllers.Toolbar.textRating": "Clasificacións", + "SSE.Controllers.Toolbar.textRecentlyUsed": "Usados recentemente", "SSE.Controllers.Toolbar.textScript": "Índices", "SSE.Controllers.Toolbar.textShapes": "Formas", "SSE.Controllers.Toolbar.textSymbols": "Símbolos", @@ -1421,7 +1441,9 @@ "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Separador decimal", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Separador de miles", "SSE.Views.AdvancedSeparatorDialog.textLabel": "Configuracións usadas para recoñecer datos numéricos", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "Calificador do texto", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Configuración avanzada", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(ningún)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Filtro personalizado", "SSE.Views.AutoFilterDialog.textAddSelection": "Engadir selección actual para filtración", "SSE.Views.AutoFilterDialog.textEmptyItem": "{Brancos}", @@ -1867,6 +1889,7 @@ "SSE.Views.DocumentHolder.textCrop": "Recortar", "SSE.Views.DocumentHolder.textCropFill": "Encher", "SSE.Views.DocumentHolder.textCropFit": "Adaptar", + "SSE.Views.DocumentHolder.textEditPoints": "Editar puntos", "SSE.Views.DocumentHolder.textEntriesList": "Seleccionar da lista despregable", "SSE.Views.DocumentHolder.textFlipH": "Virar horizontalmente", "SSE.Views.DocumentHolder.textFlipV": "Virar verticalmente", @@ -2236,6 +2259,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Editar regrla de formato", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Nova regra de formato", "SSE.Views.FormatRulesManagerDlg.guestText": "Convidado(a)", + "SSE.Views.FormatRulesManagerDlg.lockText": "Bloqueado", "SSE.Views.FormatRulesManagerDlg.text1Above": "1 desv. est. por enriba do promedio", "SSE.Views.FormatRulesManagerDlg.text1Below": "1 desv. est. por debaixo o promedio", "SSE.Views.FormatRulesManagerDlg.text2Above": "2 desv. est. por enriba do promedio", @@ -2397,6 +2421,7 @@ "SSE.Views.ImageSettings.textCrop": "Recortar", "SSE.Views.ImageSettings.textCropFill": "Encher", "SSE.Views.ImageSettings.textCropFit": "Adaptar", + "SSE.Views.ImageSettings.textCropToShape": "Cortar para dar forma", "SSE.Views.ImageSettings.textEdit": "Editar", "SSE.Views.ImageSettings.textEditObject": "Editar obxecto", "SSE.Views.ImageSettings.textFlip": "Xirar", @@ -2411,6 +2436,7 @@ "SSE.Views.ImageSettings.textInsert": "Substituír imaxe", "SSE.Views.ImageSettings.textKeepRatio": "Proporcións constantes", "SSE.Views.ImageSettings.textOriginalSize": "Tamaño actual", + "SSE.Views.ImageSettings.textRecentlyUsed": "Usados recentemente", "SSE.Views.ImageSettings.textRotate90": "Xirar 90°", "SSE.Views.ImageSettings.textRotation": "Rotación", "SSE.Views.ImageSettings.textSize": "Tamaño", @@ -2488,6 +2514,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "Pegar nome", "SSE.Views.NameManagerDlg.closeButtonText": "Pechar", "SSE.Views.NameManagerDlg.guestText": "Convidado(a)", + "SSE.Views.NameManagerDlg.lockText": "Bloqueado", "SSE.Views.NameManagerDlg.textDataRange": "Rango de datos", "SSE.Views.NameManagerDlg.textDelete": "Eliminar", "SSE.Views.NameManagerDlg.textEdit": "Editar", @@ -2719,6 +2746,44 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "Seleccionar rango", "SSE.Views.PrintTitlesDialog.textTitle": "Imprimir títulos", "SSE.Views.PrintTitlesDialog.textTop": "Repetir filas na parte superior", + "SSE.Views.PrintWithPreview.txtActualSize": "Tamaño actual", + "SSE.Views.PrintWithPreview.txtAllSheets": "Todas as follas", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Aplicar a todas as follas", + "SSE.Views.PrintWithPreview.txtBottom": "Inferior", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Folla actual", + "SSE.Views.PrintWithPreview.txtCustom": "Personalizar", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Opcións personalizadas", + "SSE.Views.PrintWithPreview.txtEmptyTable": "Non hai nada para imprimir porque a táboa está baleira", + "SSE.Views.PrintWithPreview.txtFitCols": "Axustar todas as columnas nunha páxina", + "SSE.Views.PrintWithPreview.txtFitPage": "Caber a folla nunha páxina", + "SSE.Views.PrintWithPreview.txtFitRows": "Caber todas as filas nunha páxina", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Liña de cuadrículas e cabeceiras", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Configuración da cabeceira/rodapé", + "SSE.Views.PrintWithPreview.txtIgnore": "Ignorar área de impresión", + "SSE.Views.PrintWithPreview.txtLandscape": "Orientación horizontal", + "SSE.Views.PrintWithPreview.txtLeft": "Á esquerda", + "SSE.Views.PrintWithPreview.txtMargins": "Marxes", + "SSE.Views.PrintWithPreview.txtOf": "de {0}", + "SSE.Views.PrintWithPreview.txtPage": "Páxina", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "Número da páxina inválido", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Orientación da páxina", + "SSE.Views.PrintWithPreview.txtPageSize": "Tamaño da páxina", + "SSE.Views.PrintWithPreview.txtPortrait": "Vertical", + "SSE.Views.PrintWithPreview.txtPrint": "Imprimir", + "SSE.Views.PrintWithPreview.txtPrintGrid": "Imprimir cuadrícula", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "Imprimir títulos de filas e columnas", + "SSE.Views.PrintWithPreview.txtPrintRange": "Área de impresión", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Imprimir títulos", + "SSE.Views.PrintWithPreview.txtRepeat": "Repetir...", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "Repetir columnas á esquerda", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "Repetir filas na parte superior", + "SSE.Views.PrintWithPreview.txtRight": "Á dereita", + "SSE.Views.PrintWithPreview.txtSave": "Gardar", + "SSE.Views.PrintWithPreview.txtScaling": "Escala", + "SSE.Views.PrintWithPreview.txtSelection": "Selección", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Configuración da folla", + "SSE.Views.PrintWithPreview.txtSheet": "Folla: {0}", + "SSE.Views.PrintWithPreview.txtTop": "Parte superior", "SSE.Views.ProtectDialog.textExistName": "ERRO! Xa existe un intervalo con este título", "SSE.Views.ProtectDialog.textInvalidName": "O título do intervalo debe comezar cunha letra e só pode conter letras, números e espazos.", "SSE.Views.ProtectDialog.textInvalidRange": "ERRO! Intervalo de celdas inválido", @@ -2753,6 +2818,7 @@ "SSE.Views.ProtectDialog.txtWBDescription": "Para evitar que outros usuarios vexan follas de traballo ocultas, engadan, movan, eliminen ou oculten follas de traballo e cambien o nome de follas de traballo, pode protexer a estrutura do seu libro cun contrasinal.", "SSE.Views.ProtectDialog.txtWBTitle": "Protexer a estrutura do libro", "SSE.Views.ProtectRangesDlg.guestText": "Convidado(a)", + "SSE.Views.ProtectRangesDlg.lockText": "Bloqueado", "SSE.Views.ProtectRangesDlg.textDelete": "Eliminar", "SSE.Views.ProtectRangesDlg.textEdit": "Editar", "SSE.Views.ProtectRangesDlg.textEmpty": "Non hai ningún intervalo permitido para a edición.", @@ -2832,6 +2898,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "Patrón", "SSE.Views.ShapeSettings.textPosition": "Posición", "SSE.Views.ShapeSettings.textRadial": "Radial", + "SSE.Views.ShapeSettings.textRecentlyUsed": "Usados recentemente", "SSE.Views.ShapeSettings.textRotate90": "Xirar 90°", "SSE.Views.ShapeSettings.textRotation": "Rotación", "SSE.Views.ShapeSettings.textSelectImage": "Seleccionar imaxe", @@ -3093,6 +3160,7 @@ "SSE.Views.Statusbar.tipAddTab": "Engadir folla de cálculo", "SSE.Views.Statusbar.tipFirst": "Desprazar ata a primeira folla", "SSE.Views.Statusbar.tipLast": "Desprazar ata a última folla", + "SSE.Views.Statusbar.tipListOfSheets": "Lista de follas", "SSE.Views.Statusbar.tipNext": "Desprazar a lista de folla á dereita", "SSE.Views.Statusbar.tipPrev": "Desprazar a lista de folla á esquerda", "SSE.Views.Statusbar.tipZoomFactor": "Ampliar", @@ -3281,6 +3349,8 @@ "SSE.Views.Toolbar.textPageMarginsCustom": "Marxes personalizadas", "SSE.Views.Toolbar.textPortrait": "Retrato ", "SSE.Views.Toolbar.textPrint": "Imprimir", + "SSE.Views.Toolbar.textPrintGridlines": "Imprimir cuadrícula", + "SSE.Views.Toolbar.textPrintHeadings": "Imprimir cabeceiras", "SSE.Views.Toolbar.textPrintOptions": "Opcións de impresión", "SSE.Views.Toolbar.textRight": "Dereita:", "SSE.Views.Toolbar.textRightBorders": "Bordos dereitos", @@ -3359,7 +3429,16 @@ "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", "SSE.Views.Toolbar.tipPageMargins": "Marxes da páxina", "SSE.Views.Toolbar.tipPageOrient": "Orientación da páxina", @@ -3488,6 +3567,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Varp", "SSE.Views.ViewManagerDlg.closeButtonText": "Pechar", "SSE.Views.ViewManagerDlg.guestText": "Convidado(a)", + "SSE.Views.ViewManagerDlg.lockText": "Bloqueado", "SSE.Views.ViewManagerDlg.textDelete": "Eliminar", "SSE.Views.ViewManagerDlg.textDuplicate": "Duplicar", "SSE.Views.ViewManagerDlg.textEmpty": "Aínda non hai crearon vistas.", @@ -3503,7 +3583,9 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "Está tratando de eliminar a vista actualmente habilitada '%1'. Pechar esta vista e eliminala?", "SSE.Views.ViewTab.capBtnFreeze": "Inmobilizar paneis", "SSE.Views.ViewTab.capBtnSheetView": "Vista da folla", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "Amosar sempre a barra de ferramentas", "SSE.Views.ViewTab.textClose": "Pechar", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Combinar as barras de folla e de estado", "SSE.Views.ViewTab.textCreate": "Novo", "SSE.Views.ViewTab.textDefault": "Predeterminado", "SSE.Views.ViewTab.textFormula": "Barra das fórmulas", @@ -3511,7 +3593,9 @@ "SSE.Views.ViewTab.textFreezeRow": "Inmobilizar fila superior", "SSE.Views.ViewTab.textGridlines": "Liñas da cuadrícula", "SSE.Views.ViewTab.textHeadings": "Títulos", + "SSE.Views.ViewTab.textInterfaceTheme": "Tema da interface", "SSE.Views.ViewTab.textManager": "Xestionador da vista", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "Amosar a sombra de paneis inmobilizados", "SSE.Views.ViewTab.textUnFreeze": "Mobilizar paneis", "SSE.Views.ViewTab.textZeros": "Amosar ceros", "SSE.Views.ViewTab.textZoom": "Ampliar", diff --git a/apps/spreadsheeteditor/main/locale/hu.json b/apps/spreadsheeteditor/main/locale/hu.json index 3728297bf..0f2c0fa58 100644 --- a/apps/spreadsheeteditor/main/locale/hu.json +++ b/apps/spreadsheeteditor/main/locale/hu.json @@ -114,6 +114,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Új", "Common.UI.ExtendedColorDialog.textRGBErr": "A megadott érték helytelen.
Kérjük, adjon meg egy számértéket 0 és 255 között.", "Common.UI.HSBColorPicker.textNoColor": "Nincs szín", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Jelszó elrejtése", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Jelszó megjelenítése", "Common.UI.SearchDialog.textHighlight": "Eredmények kiemelése", "Common.UI.SearchDialog.textMatchCase": "Kis-nagybetű érzékeny", "Common.UI.SearchDialog.textReplaceDef": "Írja be a helyettesítő szöveget", @@ -178,12 +180,14 @@ "Common.Views.Comments.mniAuthorDesc": "Szerző (Z-A)", "Common.Views.Comments.mniDateAsc": "Legöregebb először", "Common.Views.Comments.mniDateDesc": "Legújabb először", + "Common.Views.Comments.mniFilterGroups": "Szűrés csoport szerint", "Common.Views.Comments.mniPositionAsc": "Felülről", "Common.Views.Comments.mniPositionDesc": "Alulról", "Common.Views.Comments.textAdd": "Hozzáad", "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", @@ -197,6 +201,7 @@ "Common.Views.Comments.textResolve": "Felold", "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.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", @@ -364,6 +369,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Ismét megnyit", "Common.Views.ReviewPopover.textReply": "Ismétel", "Common.Views.ReviewPopover.textResolve": "Felold", + "Common.Views.ReviewPopover.textViewResolved": "Nincs engedélye a megjegyzés újranyitásához", "Common.Views.ReviewPopover.txtDeleteTip": "Törlés", "Common.Views.ReviewPopover.txtEditTip": "Szerkesztés", "Common.Views.SaveAsDlg.textLoading": "Betöltés", @@ -474,6 +480,7 @@ "SSE.Controllers.DocumentHolder.txtAddVer": "Vízszintes vonal hozzáadása", "SSE.Controllers.DocumentHolder.txtAlignToChar": "Karakterhez rendez", "SSE.Controllers.DocumentHolder.txtAll": "(Minden)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "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", "SSE.Controllers.DocumentHolder.txtAnd": "és", "SSE.Controllers.DocumentHolder.txtBegins": "Kezdődik", "SSE.Controllers.DocumentHolder.txtBelowAve": "Átlagon aluli", @@ -483,6 +490,7 @@ "SSE.Controllers.DocumentHolder.txtColumn": "Oszlop", "SSE.Controllers.DocumentHolder.txtColumnAlign": "Oszlop elrendezése", "SSE.Controllers.DocumentHolder.txtContains": "tartalmaz", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "A táblázat adatcelláit vagy a megadott táblázatoszlopokat adja vissza", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "Az argumentum csökkentése", "SSE.Controllers.DocumentHolder.txtDeleteArg": "Argumentum törlése", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "Oldaltörés törlése", @@ -506,6 +514,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Nagyobb vagy egyenlő", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "Karakter a szöveg fölött", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "Karakter a szöveg alatt", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "Visszaadja a táblázat vagy a megadott táblázatoszlopok oszlopfejléceit", "SSE.Controllers.DocumentHolder.txtHeight": "Magasság", "SSE.Controllers.DocumentHolder.txtHideBottom": "Alsó szegély elrejtése", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Alsó limit elrejtése", @@ -584,7 +593,9 @@ "SSE.Controllers.DocumentHolder.txtSorting": "Rendezés", "SSE.Controllers.DocumentHolder.txtSortSelected": "Kiválasztottak renezése", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Zárójelek nyújtása", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "A megadott oszlopnak csak ezt a sorát válassza ki", "SSE.Controllers.DocumentHolder.txtTop": "Felső", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "A táblázat vagy a megadott táblázatoszlopok összes sorát adja vissza", "SSE.Controllers.DocumentHolder.txtUnderbar": "Sáv a szöveg alatt", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Táblázat automatikus bővítésének visszaállítása", "SSE.Controllers.DocumentHolder.txtUseTextImport": "Használja a szöveg importálás varázslót", @@ -639,6 +650,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "A műveletet nem lehet végrehajtani, mert a terület szűrt cellákat tartalmaz.
Szüntesse meg a szűrt elemeket, és próbálja újra.", "SSE.Controllers.Main.errorBadImageUrl": "Hibás kép URL", "SSE.Controllers.Main.errorCannotUngroup": "Nem lehet kibontani. Körvonal elindításához válassza ki a részletek sorát vagy oszlopát, és csoportosítsa őket.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "Ez a parancs nem használható védett munkalapon. A parancs használatához szüntesse meg a munkalap védelmét.
Előfordulhat, hogy jelszót kell megadnia.", "SSE.Controllers.Main.errorChangeArray": "Nem módosíthatja a tömb egy részét.", "SSE.Controllers.Main.errorChangeFilteredRange": "Ez megváltoztat a munkalapon egy szűrt tartományt.
A feladat végrehajtásához távolítsa el az automatikus szűrőket.", "SSE.Controllers.Main.errorChangeOnProtectedSheet": "A módosítani kívánt cella vagy diagram egy védett munkalapon található.
Módosításhoz szüntesse meg a munkalap védelmét. Előfordulhat, hogy ehhez jelszót kell megadnia.", @@ -769,6 +781,7 @@ "SSE.Controllers.Main.textNoLicenseTitle": "Elérte a licenckorlátot", "SSE.Controllers.Main.textPaidFeature": "Fizetett funkció", "SSE.Controllers.Main.textPleaseWait": "A művelet a vártnál több időt vehet igénybe. Kérjük várjon...", + "SSE.Controllers.Main.textReconnect": "A kapcsolat helyreállt", "SSE.Controllers.Main.textRemember": "Emlékezzen a választásomra minden fájlhoz", "SSE.Controllers.Main.textRenameError": "A felhasználónév nem lehet üres.", "SSE.Controllers.Main.textRenameLabel": "Adjon meg egy nevet az együttműködéshez", @@ -1060,6 +1073,7 @@ "SSE.Controllers.Statusbar.errorLastSheet": "A munkafüzetnek legalább egy látható munkalapot kell tartalmaznia.", "SSE.Controllers.Statusbar.errorRemoveSheet": "A munkalap nem törölhető.", "SSE.Controllers.Statusbar.strSheet": "Munkalap", + "SSE.Controllers.Statusbar.textDisconnect": "A kapcsolat megszakadt
Probálkoás a kapcsolat létrehozására. Kérjük, ellenőrizze a csatlakozási beállításokat.", "SSE.Controllers.Statusbar.textSheetViewTip": "Lapnézet módban van. A szűrőket és a rendezést csak Ön és azok láthatják, akik még mindig ebben a nézetben vannak.", "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Lapnézet módban van. A szűrőket csak Ön és azok láthatják, akik továbbra is ebben a nézetben vannak.", "SSE.Controllers.Statusbar.warnDeleteSheet": "A kiválasztott munkalapon lehetnek adatok. Biztosan folytatja a műveletet?", @@ -1085,6 +1099,7 @@ "SSE.Controllers.Toolbar.textPivot": "Pivot tábla", "SSE.Controllers.Toolbar.textRadical": "Gyökvonás", "SSE.Controllers.Toolbar.textRating": "Értékelések", + "SSE.Controllers.Toolbar.textRecentlyUsed": "Mostanában használt", "SSE.Controllers.Toolbar.textScript": "Scripts", "SSE.Controllers.Toolbar.textShapes": "Alakzatok", "SSE.Controllers.Toolbar.textSymbols": "Szimbólumok", @@ -1426,7 +1441,9 @@ "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Decimális szeparátor", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Ezres elválasztó", "SSE.Views.AdvancedSeparatorDialog.textLabel": "Numerikus adatok felismerésére használt beállítások", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "Szöveg minősítő", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Haladó beállítások", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(nincs)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Egyéni szűrő", "SSE.Views.AutoFilterDialog.textAddSelection": "Az aktuális kiválasztás hozzáadása a szűréshez", "SSE.Views.AutoFilterDialog.textEmptyItem": "{Üresek}", @@ -1872,6 +1889,7 @@ "SSE.Views.DocumentHolder.textCrop": "Levág", "SSE.Views.DocumentHolder.textCropFill": "Kitöltés", "SSE.Views.DocumentHolder.textCropFit": "Illesztés", + "SSE.Views.DocumentHolder.textEditPoints": "Pontok Szerkesztése", "SSE.Views.DocumentHolder.textEntriesList": "Lenyíló listából választás", "SSE.Views.DocumentHolder.textFlipH": "Vízszintesen tükröz", "SSE.Views.DocumentHolder.textFlipV": "Függőlegesen tükröz", @@ -2241,6 +2259,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Formázási szabály szerkesztése", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Új formázási szabály", "SSE.Views.FormatRulesManagerDlg.guestText": "Vendég", + "SSE.Views.FormatRulesManagerDlg.lockText": "Zárolva", "SSE.Views.FormatRulesManagerDlg.text1Above": "1 std eltérés ha átlag feletti", "SSE.Views.FormatRulesManagerDlg.text1Below": "1 std eltérés ha átlag alatti", "SSE.Views.FormatRulesManagerDlg.text2Above": "2 std eltérés ha átlag feletti", @@ -2402,6 +2421,7 @@ "SSE.Views.ImageSettings.textCrop": "Levág", "SSE.Views.ImageSettings.textCropFill": "Kitöltés", "SSE.Views.ImageSettings.textCropFit": "Illesztés", + "SSE.Views.ImageSettings.textCropToShape": "Formára vágás", "SSE.Views.ImageSettings.textEdit": "Szerkeszt", "SSE.Views.ImageSettings.textEditObject": "Objektum szerkesztése", "SSE.Views.ImageSettings.textFlip": "Tükröz", @@ -2416,6 +2436,7 @@ "SSE.Views.ImageSettings.textInsert": "Képet cserél", "SSE.Views.ImageSettings.textKeepRatio": "Állandó arányok", "SSE.Views.ImageSettings.textOriginalSize": "Valódi méret", + "SSE.Views.ImageSettings.textRecentlyUsed": "Mostanában használt", "SSE.Views.ImageSettings.textRotate90": "Elforgat 90 fokkal", "SSE.Views.ImageSettings.textRotation": "Forgatás", "SSE.Views.ImageSettings.textSize": "Méret", @@ -2493,6 +2514,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "Név beillesztése", "SSE.Views.NameManagerDlg.closeButtonText": "Bezár", "SSE.Views.NameManagerDlg.guestText": "Vendég", + "SSE.Views.NameManagerDlg.lockText": "Zárolva", "SSE.Views.NameManagerDlg.textDataRange": "Adattartomány", "SSE.Views.NameManagerDlg.textDelete": "Töröl", "SSE.Views.NameManagerDlg.textEdit": "Szerkeszt", @@ -2724,6 +2746,43 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "Tartomány kiválasztása", "SSE.Views.PrintTitlesDialog.textTitle": "Címek nyomtatása", "SSE.Views.PrintTitlesDialog.textTop": "Oszlopok ismétlése felül", + "SSE.Views.PrintWithPreview.txtActualSize": "Valódi méret", + "SSE.Views.PrintWithPreview.txtAllSheets": "Minden munkalap", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Alkalmazás az összes munkalapra", + "SSE.Views.PrintWithPreview.txtBottom": "Alul", + "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.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", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Rácsvonalak és címsorok", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Fejléc/lábléc beállítások", + "SSE.Views.PrintWithPreview.txtIgnore": "Nyomtatási terület mellőzése", + "SSE.Views.PrintWithPreview.txtLandscape": "Tájkép", + "SSE.Views.PrintWithPreview.txtLeft": "Bal", + "SSE.Views.PrintWithPreview.txtMargins": "Margók", + "SSE.Views.PrintWithPreview.txtOf": "-ból/ből {0}", + "SSE.Views.PrintWithPreview.txtPage": "Oldal", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "Hibás oldalszám", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Lap elrendezés", + "SSE.Views.PrintWithPreview.txtPageSize": "Lap méret", + "SSE.Views.PrintWithPreview.txtPortrait": "Portré", + "SSE.Views.PrintWithPreview.txtPrint": "Nyomtatás", + "SSE.Views.PrintWithPreview.txtPrintGrid": "Rácsvonalak nyomtatása", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "Sor- és oszlopfejlécek nyomtatása", + "SSE.Views.PrintWithPreview.txtPrintRange": "Nyomtatási tartomány", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Címek nyomtatása", + "SSE.Views.PrintWithPreview.txtRepeat": "Ismétlés...", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "Oszlopok ismétlése a bal oldalon", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "Oszlopok ismétlése felül", + "SSE.Views.PrintWithPreview.txtRight": "Jobb", + "SSE.Views.PrintWithPreview.txtSave": "Mentés", + "SSE.Views.PrintWithPreview.txtScaling": "Skálázás", + "SSE.Views.PrintWithPreview.txtSelection": "Választás", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Munkalap beállításai", + "SSE.Views.PrintWithPreview.txtSheet": "Munkalap: {0}", + "SSE.Views.PrintWithPreview.txtTop": "Felső", "SSE.Views.ProtectDialog.textExistName": "HIBA! Már létezik ilyen című tartomány", "SSE.Views.ProtectDialog.textInvalidName": "A tartomány címének betűvel kell kezdődnie, és csak betűket, számokat és szóközöket tartalmazhat.", "SSE.Views.ProtectDialog.textInvalidRange": "HIBA! Érvénytelen cellatartomány", @@ -2758,6 +2817,7 @@ "SSE.Views.ProtectDialog.txtWBDescription": "Ha meg szeretné akadályozni, hogy más felhasználók megtekintsék a rejtett munkalapokat, továbbá hozzáadjanak, áthelyezzenek, töröljenek, elrejtsenek, illetve átnevezzenek munkalapokat, jelszóval védheti a munkafüzet szerkezetét.", "SSE.Views.ProtectDialog.txtWBTitle": "Munkafüzet struktúrájának védelme", "SSE.Views.ProtectRangesDlg.guestText": "Vendég", + "SSE.Views.ProtectRangesDlg.lockText": "Zárolva", "SSE.Views.ProtectRangesDlg.textDelete": "Törlés", "SSE.Views.ProtectRangesDlg.textEdit": "Szerkesztés", "SSE.Views.ProtectRangesDlg.textEmpty": "Nincsenek szerkeszthető tartományok.", @@ -2837,6 +2897,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "Minta", "SSE.Views.ShapeSettings.textPosition": "Pozíció", "SSE.Views.ShapeSettings.textRadial": "Sugárirányú", + "SSE.Views.ShapeSettings.textRecentlyUsed": "Mostanában használt", "SSE.Views.ShapeSettings.textRotate90": "Elforgat 90 fokkal", "SSE.Views.ShapeSettings.textRotation": "Forgatás", "SSE.Views.ShapeSettings.textSelectImage": "Kép kiválasztása", @@ -3098,6 +3159,7 @@ "SSE.Views.Statusbar.tipAddTab": "Munkalap hozzáadása", "SSE.Views.Statusbar.tipFirst": "Első laphoz görget", "SSE.Views.Statusbar.tipLast": "Utolsó laphoz görget", + "SSE.Views.Statusbar.tipListOfSheets": "Munkalapok listája", "SSE.Views.Statusbar.tipNext": "Laplista jobbra görgetése", "SSE.Views.Statusbar.tipPrev": "Laplista balra görgetése", "SSE.Views.Statusbar.tipZoomFactor": "Zoom", @@ -3205,7 +3267,7 @@ "SSE.Views.Toolbar.capBtnAddComment": "Megjegyzés hozzáadása", "SSE.Views.Toolbar.capBtnColorSchemas": "Színséma", "SSE.Views.Toolbar.capBtnComment": "Megjegyzés", - "SSE.Views.Toolbar.capBtnInsHeader": "Fejléc/Lábléc", + "SSE.Views.Toolbar.capBtnInsHeader": "Fejléc & Lábléc", "SSE.Views.Toolbar.capBtnInsSlicer": "Elválasztó", "SSE.Views.Toolbar.capBtnInsSymbol": "Szimbólum", "SSE.Views.Toolbar.capBtnMargins": "Margók", @@ -3286,6 +3348,8 @@ "SSE.Views.Toolbar.textPageMarginsCustom": "Egyéni margók", "SSE.Views.Toolbar.textPortrait": "Portré", "SSE.Views.Toolbar.textPrint": "Nyomtat", + "SSE.Views.Toolbar.textPrintGridlines": "Rácsvonalak nyomtatása", + "SSE.Views.Toolbar.textPrintHeadings": "Nyomtatási címsorok", "SSE.Views.Toolbar.textPrintOptions": "Nyomtatási beállítások", "SSE.Views.Toolbar.textRight": "Jobb:", "SSE.Views.Toolbar.textRightBorders": "Jobb szegélyek", @@ -3364,7 +3428,16 @@ "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", "SSE.Views.Toolbar.tipPageMargins": "Oldal margók", "SSE.Views.Toolbar.tipPageOrient": "Lap elrendezés", @@ -3493,6 +3566,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Variancia populáció", "SSE.Views.ViewManagerDlg.closeButtonText": "Bezárás", "SSE.Views.ViewManagerDlg.guestText": "Vendég", + "SSE.Views.ViewManagerDlg.lockText": "Zárolva", "SSE.Views.ViewManagerDlg.textDelete": "Törlés", "SSE.Views.ViewManagerDlg.textDuplicate": "Kettőzés", "SSE.Views.ViewManagerDlg.textEmpty": "Még nem hoztak létre nézeteket.", @@ -3508,7 +3582,9 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "Megpróbálja törölni a jelenleg engedélyezett '%1' nézetet.
Bezárja ezt a nézetet, és törli?", "SSE.Views.ViewTab.capBtnFreeze": "Panelek rögzítése", "SSE.Views.ViewTab.capBtnSheetView": "Lapnézet", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "Mindig mutasd az eszköztárat", "SSE.Views.ViewTab.textClose": "Bezárás", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "A munkalap és az állapotsorok kombinálása", "SSE.Views.ViewTab.textCreate": "Új", "SSE.Views.ViewTab.textDefault": "Alapértelmezett", "SSE.Views.ViewTab.textFormula": "Függvény sáv", @@ -3516,7 +3592,9 @@ "SSE.Views.ViewTab.textFreezeRow": "Legfelső sor rögzítése", "SSE.Views.ViewTab.textGridlines": "Rácsvonalak", "SSE.Views.ViewTab.textHeadings": "Címsorok", + "SSE.Views.ViewTab.textInterfaceTheme": "Felhasználói felület témája", "SSE.Views.ViewTab.textManager": "Megtekintés kelező", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "Mutassa a rögzített panelek árnyékát", "SSE.Views.ViewTab.textUnFreeze": "Rögzítés eltávolítása", "SSE.Views.ViewTab.textZeros": "Nullák megjelenítése", "SSE.Views.ViewTab.textZoom": "Zoom", diff --git a/apps/spreadsheeteditor/main/locale/id.json b/apps/spreadsheeteditor/main/locale/id.json index d106493af..250546c06 100644 --- a/apps/spreadsheeteditor/main/locale/id.json +++ b/apps/spreadsheeteditor/main/locale/id.json @@ -2,6 +2,37 @@ "cancelButtonText": "Cancel", "Common.Controllers.Chat.notcriticalErrorTitle": "Warning", "Common.Controllers.Chat.textEnterMessage": "Enter your message here", + "Common.Controllers.History.notcriticalErrorTitle": "Peringatan", + "Common.define.chartData.textArea": "Grafik Area", + "Common.define.chartData.textBar": "Palang", + "Common.define.chartData.textCharts": "Bagan", + "Common.define.chartData.textColumn": "Kolom", + "Common.define.chartData.textColumnSpark": "Kolom", + "Common.define.chartData.textLine": "Garis", + "Common.define.chartData.textLineSpark": "Garis", + "Common.define.chartData.textPie": "Diagram Lingkaran", + "Common.define.conditionalData.textAbove": "Di atas", + "Common.define.conditionalData.textBelow": "Di bawah", + "Common.define.conditionalData.textBottom": "Bawah", + "Common.define.conditionalData.textDate": "Tanggal", + "Common.define.conditionalData.textDuplicate": "Duplikat", + "Common.define.conditionalData.textError": "Kesalahan", + "Common.define.conditionalData.textGreater": "Lebih Dari", + "Common.define.conditionalData.textGreaterEq": "Lebih Dari atau Sama Dengan", + "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.textNotEqual": "Tidak Sama Dengan", + "Common.define.conditionalData.textText": "Teks", + "Common.define.conditionalData.textThisMonth": "Bulan ini", + "Common.define.conditionalData.textToday": "Hari ini", + "Common.define.conditionalData.textTomorrow": "Besok", + "Common.define.conditionalData.textTop": "Atas", + "Common.define.conditionalData.textYesterday": "Kemarin", + "Common.Translation.warnFileLockedBtnEdit": "Buat salinan", + "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", @@ -22,6 +53,7 @@ "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.textThemeColors": "Warna Tema", "Common.UI.Window.cancelButtonText": "Cancel", "Common.UI.Window.closeButtonText": "Close", "Common.UI.Window.noButtonText": "No", @@ -39,17 +71,26 @@ "Common.Views.About.txtPoweredBy": "Powered by", "Common.Views.About.txtTel": "tel.: ", "Common.Views.About.txtVersion": "Version ", + "Common.Views.AutoCorrectDialog.textAdd": "Tambahkan", + "Common.Views.AutoCorrectDialog.textBy": "oleh", + "Common.Views.AutoCorrectDialog.textDelete": "Hapus", + "Common.Views.AutoCorrectDialog.textReplace": "Ganti", + "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.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.textHintAddComment": "Tambahkan komentar", "Common.Views.Comments.textOpenAgain": "Open Again", "Common.Views.Comments.textReply": "Reply", "Common.Views.Comments.textResolve": "Resolve", @@ -62,27 +103,119 @@ "Common.Views.CopyWarningDialog.textToPaste": "for Paste", "Common.Views.DocumentAccessDialog.textLoading": "Loading...", "Common.Views.DocumentAccessDialog.textTitle": "Sharing Settings", + "Common.Views.Header.textAdvSettings": "Pengaturan Lanjut", "Common.Views.Header.textBack": "Go to Documents", + "Common.Views.Header.textHideLines": "Sembunyikan Mistar", + "Common.Views.Header.textZoom": "Pembesaran", + "Common.Views.Header.tipDownload": "Unduh 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.txtAccessRights": "Ubah hak akses", + "Common.Views.Header.txtRename": "Ganti nama", + "Common.Views.History.textCloseHistory": "Tutup riwayat", + "Common.Views.History.textRestore": "Pemulihan", + "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.ListSettingsDialog.txtColor": "Warna", + "Common.Views.ListSettingsDialog.txtNone": "tidak ada", + "Common.Views.ListSettingsDialog.txtSize": "Ukuran", + "Common.Views.ListSettingsDialog.txtType": "Tipe", + "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.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.txtSemicolon": "Titik koma", "Common.Views.OpenDialog.txtSpace": "Space", "Common.Views.OpenDialog.txtTab": "Tab", "Common.Views.OpenDialog.txtTitle": "Choose %1 options", + "Common.Views.PasswordDialog.txtPassword": "Kata Sandi", + "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.Plugins.textStart": "Mulai", + "Common.Views.Protection.txtChangePwd": "Ubah kata sandi", + "Common.Views.RenameDialog.textName": "Nama file", + "Common.Views.ReviewChanges.tipHistory": "Tampilkan riwayat versi", + "Common.Views.ReviewChanges.tipSetDocLang": "Atur Bahasa Dokumen", + "Common.Views.ReviewChanges.tipSetSpelling": "Periksa Ejaan", + "Common.Views.ReviewChanges.txtAccept": "Terima", + "Common.Views.ReviewChanges.txtAcceptAll": "Terima semua perubahan", + "Common.Views.ReviewChanges.txtClose": "Tutup", + "Common.Views.ReviewChanges.txtCommentRemove": "Hapus", + "Common.Views.ReviewChanges.txtCommentResolve": "Selesaikan", + "Common.Views.ReviewChanges.txtHistory": "Riwayat versi", + "Common.Views.ReviewChanges.txtNext": "Berikutnya", + "Common.Views.ReviewChanges.txtPrev": "Sebelumnya", + "Common.Views.ReviewChanges.txtReject": "Tolak", + "Common.Views.ReviewChanges.txtSpelling": "Periksa Ejaan", + "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.textOpenAgain": "Buka Lagi", + "Common.Views.ReviewPopover.textReply": "Balas", + "Common.Views.ReviewPopover.textResolve": "Selesaikan", + "Common.Views.ReviewPopover.txtDeleteTip": "Hapus", + "Common.Views.ReviewPopover.txtEditTip": "Sunting", + "Common.Views.SelectFileDlg.textTitle": "Pilih sumber data", + "Common.Views.SignDialog.textBold": "Tebal", + "Common.Views.SignDialog.textChange": "Ganti", + "Common.Views.SignDialog.textItalic": "Miring", + "Common.Views.SignDialog.textSelect": "Pilih", + "Common.Views.SignDialog.tipFontSize": "Ukuran Huruf", + "Common.Views.SignSettingsDialog.textInfoName": "Nama", + "Common.Views.SignSettingsDialog.txtEmpty": "Kolom ini harus diisi", + "Common.Views.SymbolTableDialog.textCharacter": "Karakter", + "Common.Views.SymbolTableDialog.textFont": "Huruf", + "Common.Views.SymbolTableDialog.textSpecial": "karakter khusus", + "SSE.Controllers.DataTab.textColumns": "Kolom", + "SSE.Controllers.DataTab.textRows": "Baris", + "SSE.Controllers.DocumentHolder.alignmentText": "Perataan", + "SSE.Controllers.DocumentHolder.centerText": "Tengah", + "SSE.Controllers.DocumentHolder.deleteColumnText": "Hapus Kolom", + "SSE.Controllers.DocumentHolder.deleteText": "Hapus", "SSE.Controllers.DocumentHolder.guestText": "Guest", + "SSE.Controllers.DocumentHolder.insertColumnLeftText": "Kolom Kiri", + "SSE.Controllers.DocumentHolder.insertColumnRightText": "Kolom Kanan", + "SSE.Controllers.DocumentHolder.insertRowAboveText": "Baris di Atas", + "SSE.Controllers.DocumentHolder.insertRowBelowText": "Baris di Bawah", + "SSE.Controllers.DocumentHolder.insertText": "Sisipkan", + "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.txtAnd": "dan", + "SSE.Controllers.DocumentHolder.txtBottom": "Bawah", + "SSE.Controllers.DocumentHolder.txtColumn": "Kolom", + "SSE.Controllers.DocumentHolder.txtFilterBottom": "Bawah", + "SSE.Controllers.DocumentHolder.txtFilterTop": "Atas", + "SSE.Controllers.DocumentHolder.txtGreater": "Lebih Dari", + "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Lebih Dari atau Sama Dengan", "SSE.Controllers.DocumentHolder.txtHeight": "Height", + "SSE.Controllers.DocumentHolder.txtLess": "Kurang Dari", + "SSE.Controllers.DocumentHolder.txtLessEquals": "Kurang Dari atau Sama Dengan", + "SSE.Controllers.DocumentHolder.txtOr": "Atau", + "SSE.Controllers.DocumentHolder.txtPaste": "Tempel", "SSE.Controllers.DocumentHolder.txtRowHeight": "Row Height", + "SSE.Controllers.DocumentHolder.txtTop": "Atas", "SSE.Controllers.DocumentHolder.txtWidth": "Width", + "SSE.Controllers.FormulaDialog.sCategoryAll": "Semua", + "SSE.Controllers.FormulaDialog.sCategoryInformation": "Informasi", "SSE.Controllers.LeftMenu.newDocumentTitle": "Unnamed spreadsheet", "SSE.Controllers.LeftMenu.textByColumns": "By columns", "SSE.Controllers.LeftMenu.textByRows": "By rows", @@ -164,10 +297,15 @@ "SSE.Controllers.Main.saveTextText": "Saving spreadsheet...", "SSE.Controllers.Main.saveTitleText": "Saving Spreadsheet", "SSE.Controllers.Main.textAnonymous": "Anonymous", + "SSE.Controllers.Main.textClose": "Tutup", "SSE.Controllers.Main.textCloseTip": "Click to close the tip", "SSE.Controllers.Main.textConfirm": "Confirmation", + "SSE.Controllers.Main.textGuest": "Tamu", + "SSE.Controllers.Main.textLearnMore": "Pelajari selengkapnya", "SSE.Controllers.Main.textLoadingDocument": "Loading spreadsheet", + "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", @@ -178,16 +316,44 @@ "SSE.Controllers.Main.txtButtons": "Buttons", "SSE.Controllers.Main.txtCallouts": "Callouts", "SSE.Controllers.Main.txtCharts": "Charts", + "SSE.Controllers.Main.txtColumn": "Kolom", + "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.txtFile": "File", + "SSE.Controllers.Main.txtGroup": "Grup", + "SSE.Controllers.Main.txtHours": "jam", "SSE.Controllers.Main.txtLines": "Lines", "SSE.Controllers.Main.txtMath": "Math", + "SSE.Controllers.Main.txtMinutes": "menit", + "SSE.Controllers.Main.txtMonths": "bulan", + "SSE.Controllers.Main.txtPage": "Halaman", + "SSE.Controllers.Main.txtPages": "Halaman", "SSE.Controllers.Main.txtRectangles": "Rectangles", + "SSE.Controllers.Main.txtRow": "Baris", "SSE.Controllers.Main.txtSeries": "Series", + "SSE.Controllers.Main.txtShape_bevel": "Miring", + "SSE.Controllers.Main.txtShape_downArrow": "Panah Bawah", + "SSE.Controllers.Main.txtShape_frame": "Kerangka", + "SSE.Controllers.Main.txtShape_leftArrow": "Panah Kiri", + "SSE.Controllers.Main.txtShape_line": "Garis", + "SSE.Controllers.Main.txtShape_mathEqual": "Setara", + "SSE.Controllers.Main.txtShape_mathPlus": "Plus", + "SSE.Controllers.Main.txtShape_pie": "Diagram Lingkaran", + "SSE.Controllers.Main.txtShape_plus": "Plus", + "SSE.Controllers.Main.txtShape_rightArrow": "Tanda Panah ke Kanan", "SSE.Controllers.Main.txtStarsRibbons": "Stars & Ribbons", + "SSE.Controllers.Main.txtStyle_Comma": "Koma", + "SSE.Controllers.Main.txtStyle_Currency": "Mata uang", + "SSE.Controllers.Main.txtStyle_Note": "Catatan", + "SSE.Controllers.Main.txtStyle_Title": "Judul", + "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.", @@ -195,11 +361,13 @@ "SSE.Controllers.Main.uploadImageSizeMessage": "Maximium image size limit exceeded.", "SSE.Controllers.Main.uploadImageTextText": "Uploading image...", "SSE.Controllers.Main.uploadImageTitleText": "Uploading Image", + "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.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.", @@ -207,39 +375,305 @@ "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.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.textFunction": "Fungsi", + "SSE.Controllers.Toolbar.textInsert": "Sisipkan", + "SSE.Controllers.Toolbar.textLargeOperator": "Operator Besar", + "SSE.Controllers.Toolbar.textLimitAndLog": "Limit dan Logaritma", + "SSE.Controllers.Toolbar.textMatrix": "Matriks", + "SSE.Controllers.Toolbar.textRadical": "Perakaran", "SSE.Controllers.Toolbar.textWarning": "Warning", + "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_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_CurveBracketTop": "Kurung Kurawal Atas", + "SSE.Controllers.Toolbar.txtAccent_Custom_2": "ABC Dengan Overbar", + "SSE.Controllers.Toolbar.txtAccent_DDot": "Titik Dua", + "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.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_Curve": "Tanda Kurung", + "SSE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Tanda Kurung dengan Pemisah", + "SSE.Controllers.Toolbar.txtBracket_Custom_1": "Kasus (Dua Kondisi)", + "SSE.Controllers.Toolbar.txtBracket_Custom_2": "Kasus (Tiga Kondisi)", + "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_LineDouble": "Tanda Kurung", + "SSE.Controllers.Toolbar.txtBracket_LowLim": "Tanda Kurung", + "SSE.Controllers.Toolbar.txtBracket_Round": "Tanda Kurung", + "SSE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Tanda Kurung dengan Pemisah", + "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_OpenOpen": "Tanda Kurung", + "SSE.Controllers.Toolbar.txtBracket_SquareDouble": "Tanda Kurung", + "SSE.Controllers.Toolbar.txtBracket_UppLim": "Tanda Kurung", + "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.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", + "SSE.Controllers.Toolbar.txtFunction_1_Coth": "Fungsi Kotangen Hiperbolik Terbalik", + "SSE.Controllers.Toolbar.txtFunction_1_Csc": "Fungsi Kosekans Terbalik", + "SSE.Controllers.Toolbar.txtFunction_1_Csch": "Fungsi Kosekan Hiperbolik Terbalik", + "SSE.Controllers.Toolbar.txtFunction_1_Sec": "Fungsi Sekans Terbalik", + "SSE.Controllers.Toolbar.txtFunction_1_Sech": "Fungsi Sekans Hiperbolik Terbalik", + "SSE.Controllers.Toolbar.txtFunction_1_Sin": "Fungsi Sin Terbalik", + "SSE.Controllers.Toolbar.txtFunction_1_Sinh": "Fungsi Sin Hiperbolik Terbalik", + "SSE.Controllers.Toolbar.txtFunction_1_Tan": "Fungsi Tangen Terbalik", + "SSE.Controllers.Toolbar.txtFunction_1_Tanh": "Fungsi Tangen Hiperbolik Terbalik", + "SSE.Controllers.Toolbar.txtFunction_Cos": "Fungsi Kosin", + "SSE.Controllers.Toolbar.txtFunction_Cosh": "Fungsi Kosin Hiperbolik", + "SSE.Controllers.Toolbar.txtFunction_Cot": "Fungsi Kotangen", + "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_2": "Cos 2x", + "SSE.Controllers.Toolbar.txtFunction_Sech": "Fungsi Sekans Hiperbolik", + "SSE.Controllers.Toolbar.txtFunction_Sinh": "Fungsi Sin Hiperbolik", + "SSE.Controllers.Toolbar.txtFunction_Tanh": "Fungsi Tangen Hiperbolik", + "SSE.Controllers.Toolbar.txtIntegral_dtheta": "Theta Diferensial", + "SSE.Controllers.Toolbar.txtIntegral_dx": "Diferensial x", + "SSE.Controllers.Toolbar.txtIntegral_dy": "Diferensial y", + "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.txtIntegralOrientedSubSup": "Integral Kontur", + "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_4": "Produk", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection": "Perpotongan", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "Perpotongan", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "Perpotongan", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "Perpotongan", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "Perpotongan", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod": "Produk", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "Produk", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "Produk", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "Produk", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "Produk", + "SSE.Controllers.Toolbar.txtLimitLog_Custom_1": "Contoh Limit", + "SSE.Controllers.Toolbar.txtLimitLog_Custom_2": "Contoh Maksimal", + "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.txtMatrix_1_2": "1x2 Matriks Kosong", + "SSE.Controllers.Toolbar.txtMatrix_1_3": "1x3 Matriks Kosong", + "SSE.Controllers.Toolbar.txtMatrix_2_1": "2x1 Matriks Kosong", + "SSE.Controllers.Toolbar.txtMatrix_2_2": "2x2 Matriks Kosong", + "SSE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "Matriks Kosong dengan Tanda Kurung", + "SSE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "Matriks Kosong dengan Tanda Kurung", + "SSE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Matriks Kosong dengan Tanda Kurung", + "SSE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Matriks Kosong dengan Tanda Kurung", + "SSE.Controllers.Toolbar.txtMatrix_2_3": "2x3 Matriks Kosong", + "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_Center": "Titik Tengah", + "SSE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Titik Diagonal", + "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", + "SSE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "3x3 Matriks Identitas", + "SSE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "Tanda Panah Kanan-Kiri Bawah", + "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_Top": "Tanda Panah ke Kanan Atas", + "SSE.Controllers.Toolbar.txtOperator_ColonEquals": "Titik Dua", + "SSE.Controllers.Toolbar.txtOperator_Custom_2": "Hasil Delta", + "SSE.Controllers.Toolbar.txtOperator_Definition": "Setara Menurut Definisi", + "SSE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta Setara Dengan", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "Tanda Panah Kanan-Kiri Bawah", + "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_Top": "Tanda Panah ke Kanan Atas", + "SSE.Controllers.Toolbar.txtOperator_EqualsEquals": "Setara Setara", + "SSE.Controllers.Toolbar.txtOperator_MinusEquals": "Minus Sama Dengan", + "SSE.Controllers.Toolbar.txtOperator_PlusEquals": "Plus Sama Dengan", + "SSE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "Diukur Berdasar", + "SSE.Controllers.Toolbar.txtRadicalCustom_1": "Akar", + "SSE.Controllers.Toolbar.txtRadicalCustom_2": "Akar", + "SSE.Controllers.Toolbar.txtRadicalRoot_3": "Akar Pangkat Tiga", + "SSE.Controllers.Toolbar.txtRadicalRoot_n": "Akar Dengan Derajat", + "SSE.Controllers.Toolbar.txtScriptSub": "Subskrip", + "SSE.Controllers.Toolbar.txtScriptSubSupLeft": "Subskrip-SuperskripKiri", + "SSE.Controllers.Toolbar.txtScriptSup": "Superskrip", + "SSE.Controllers.Toolbar.txtSymbol_about": "Kira-Kira", + "SSE.Controllers.Toolbar.txtSymbol_additional": "Komplemen", + "SSE.Controllers.Toolbar.txtSymbol_aleph": "Alef", + "SSE.Controllers.Toolbar.txtSymbol_alpha": "Alfa", + "SSE.Controllers.Toolbar.txtSymbol_approx": "Setara Dengan", + "SSE.Controllers.Toolbar.txtSymbol_ast": "Operator Tanda Bintang", + "SSE.Controllers.Toolbar.txtSymbol_beta": "Beta", + "SSE.Controllers.Toolbar.txtSymbol_beth": "Taruhan", + "SSE.Controllers.Toolbar.txtSymbol_bullet": "Operator Butir", + "SSE.Controllers.Toolbar.txtSymbol_cap": "Perpotongan", + "SSE.Controllers.Toolbar.txtSymbol_cbrt": "Akar Pangkat Tiga", + "SSE.Controllers.Toolbar.txtSymbol_cdots": "Elipsis Tengah Horisontal", + "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_degree": "Derajat", + "SSE.Controllers.Toolbar.txtSymbol_delta": "Delta", + "SSE.Controllers.Toolbar.txtSymbol_div": "Tanda Pembagi", + "SSE.Controllers.Toolbar.txtSymbol_downarrow": "Panah Bawah", + "SSE.Controllers.Toolbar.txtSymbol_emptyset": "Himpunan Kosong", + "SSE.Controllers.Toolbar.txtSymbol_epsilon": "Epsilon", + "SSE.Controllers.Toolbar.txtSymbol_equals": "Setara", + "SSE.Controllers.Toolbar.txtSymbol_equiv": "Identik Dengan", + "SSE.Controllers.Toolbar.txtSymbol_eta": "Eta", + "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_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_lambda": "Lambda", + "SSE.Controllers.Toolbar.txtSymbol_leftarrow": "Panah 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_neq": "Tidak Sama Dengan", + "SSE.Controllers.Toolbar.txtSymbol_ni": "Sertakan sebagai Anggota", + "SSE.Controllers.Toolbar.txtSymbol_not": "Tanda Negasi", + "SSE.Controllers.Toolbar.txtSymbol_o": "Omikron", + "SSE.Controllers.Toolbar.txtSymbol_omega": "Omega", + "SSE.Controllers.Toolbar.txtSymbol_partial": "Diferensial Parsial", + "SSE.Controllers.Toolbar.txtSymbol_percent": "Persentase", + "SSE.Controllers.Toolbar.txtSymbol_phi": "Phi", + "SSE.Controllers.Toolbar.txtSymbol_pi": "Pi", + "SSE.Controllers.Toolbar.txtSymbol_plus": "Plus", + "SSE.Controllers.Toolbar.txtSymbol_pm": "Plus Minus", + "SSE.Controllers.Toolbar.txtSymbol_propto": "Proposional Dengan", + "SSE.Controllers.Toolbar.txtSymbol_psi": "Psi", + "SSE.Controllers.Toolbar.txtSymbol_qdrt": "Akar Kuadrat", + "SSE.Controllers.Toolbar.txtSymbol_qed": "Pembuktian Akhir", + "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_theta": "Theta", + "SSE.Controllers.Toolbar.txtSymbol_times": "Tanda Perkalian", + "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.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.AutoFilterDialog.txtClear": "Hapus", "SSE.Views.AutoFilterDialog.txtEmpty": "Enter cell filter", "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.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.CellSettings.textBackColor": "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.textDirection": "Arah", + "SSE.Views.CellSettings.textFill": "Isian", + "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.textLinear": "Linier", + "SSE.Views.CellSettings.textNoFill": "Tidak ada Isian", + "SSE.Views.CellSettings.textPattern": "Pola", + "SSE.Views.CellSettings.textPatternFill": "Pola", + "SSE.Views.CellSettings.textPosition": "Jabatan", + "SSE.Views.CellSettings.tipAll": "Buat Pembatas Luar dan Semua Garis Dalam", + "SSE.Views.CellSettings.tipBottom": "Buat Pembatas Bawah-Luar Saja", + "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.tipRight": "Buat Pembatas Kanan-Luar Saja", + "SSE.Views.CellSettings.tipTop": "Buat Pembatas Atas-Luar Saja", + "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.textDelete": "Hapus", + "SSE.Views.ChartDataDialog.textEdit": "Sunting", + "SSE.Views.ChartDataDialog.textUp": "Naik", + "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.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.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.textShow": "Tampilkan", "SSE.Views.ChartSettings.textSize": "Size", "SSE.Views.ChartSettings.textStyle": "Style", + "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.ChartSettingsDlg.textAltDescription": "Deskripsi", + "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.textAxisTitle": "Judul", "SSE.Views.ChartSettingsDlg.textBetweenTickMarks": "Between Tick Marks", "SSE.Views.ChartSettingsDlg.textBillions": "Billions", + "SSE.Views.ChartSettingsDlg.textBottom": "Bawah", "SSE.Views.ChartSettingsDlg.textCategoryName": "Category Name", "SSE.Views.ChartSettingsDlg.textCenter": "Center", "SSE.Views.ChartSettingsDlg.textChartElementsLegend": "Chart Elements &
Chart Legend", @@ -250,6 +684,7 @@ "SSE.Views.ChartSettingsDlg.textDataLabels": "Data Labels", "SSE.Views.ChartSettingsDlg.textDataRows": "in rows", "SSE.Views.ChartSettingsDlg.textDisplayLegend": "Display Legend", + "SSE.Views.ChartSettingsDlg.textFit": "Sesuaikan Lebar", "SSE.Views.ChartSettingsDlg.textFixed": "Fixed", "SSE.Views.ChartSettingsDlg.textGridLines": "Gridlines", "SSE.Views.ChartSettingsDlg.textHide": "Hide", @@ -268,6 +703,7 @@ "SSE.Views.ChartSettingsDlg.textLabelOptions": "Label Options", "SSE.Views.ChartSettingsDlg.textLabelPos": "Label Position", "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", @@ -295,6 +731,7 @@ "SSE.Views.ChartSettingsDlg.textOuterTop": "Outer Top", "SSE.Views.ChartSettingsDlg.textOverlay": "Overlay", "SSE.Views.ChartSettingsDlg.textReverse": "Values in reverse order", + "SSE.Views.ChartSettingsDlg.textRight": "Kanan", "SSE.Views.ChartSettingsDlg.textRightOverlay": "Right Overlay", "SSE.Views.ChartSettingsDlg.textRotated": "Rotated", "SSE.Views.ChartSettingsDlg.textSelectData": "Select Data", @@ -311,6 +748,7 @@ "SSE.Views.ChartSettingsDlg.textThousands": "Thousands", "SSE.Views.ChartSettingsDlg.textTickOptions": "Tick Options", "SSE.Views.ChartSettingsDlg.textTitle": "Chart - Advanced Settings", + "SSE.Views.ChartSettingsDlg.textTop": "Atas", "SSE.Views.ChartSettingsDlg.textTrillions": "Trillions", "SSE.Views.ChartSettingsDlg.textType": "Type", "SSE.Views.ChartSettingsDlg.textTypeData": "Type & Data", @@ -320,6 +758,32 @@ "SSE.Views.ChartSettingsDlg.textXAxisTitle": "X Axis Title", "SSE.Views.ChartSettingsDlg.textYAxisTitle": "Y Axis Title", "SSE.Views.ChartSettingsDlg.txtEmpty": "This field is required", + "SSE.Views.ChartTypeDialog.textStyle": "Model", + "SSE.Views.ChartTypeDialog.textType": "Tipe", + "SSE.Views.CreatePivotDialog.txtEmpty": "Kolom ini harus diisi", + "SSE.Views.CreateSparklineDialog.txtEmpty": "Kolom ini harus diisi", + "SSE.Views.DataTab.capBtnGroup": "Grup", + "SSE.Views.DataTab.capBtnUngroup": "Pisahkan dari grup", + "SSE.Views.DataValidationDialog.strSettings": "Pengaturan", + "SSE.Views.DataValidationDialog.textAlert": "Waspada", + "SSE.Views.DataValidationDialog.textAllow": "Ijinkan", + "SSE.Views.DataValidationDialog.textData": "Data", + "SSE.Views.DataValidationDialog.textEndDate": "Tanggal Berakhir", + "SSE.Views.DataValidationDialog.textMax": "Maksimal", + "SSE.Views.DataValidationDialog.textMessage": "Pesan", + "SSE.Views.DataValidationDialog.textSource": "Sumber", + "SSE.Views.DataValidationDialog.textStartDate": "Tanggal Mulai", + "SSE.Views.DataValidationDialog.textStyle": "Model", + "SSE.Views.DataValidationDialog.textTitle": "Judul", + "SSE.Views.DataValidationDialog.txtDate": "Tanggal", + "SSE.Views.DataValidationDialog.txtEndDate": "Tanggal Berakhir", + "SSE.Views.DataValidationDialog.txtGreaterThan": "Lebih Dari", + "SSE.Views.DataValidationDialog.txtGreaterThanOrEqual": "Lebih Dari atau Sama Dengan", + "SSE.Views.DataValidationDialog.txtLessThan": "Kurang Dari", + "SSE.Views.DataValidationDialog.txtLessThanOrEqual": "Kurang Dari atau Sama Dengan", + "SSE.Views.DataValidationDialog.txtOther": "Lainnya", + "SSE.Views.DataValidationDialog.txtStartDate": "Tanggal Mulai", + "SSE.Views.DataValidationDialog.txtTime": "Waktu", "SSE.Views.DigitalFilterDialog.capAnd": "And", "SSE.Views.DigitalFilterDialog.capCondition1": "equals", "SSE.Views.DigitalFilterDialog.capCondition10": "does not end with", @@ -339,22 +803,50 @@ "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.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.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.editChartText": "Edit Data", "SSE.Views.DocumentHolder.editHyperlinkText": "Edit Hyperlink", + "SSE.Views.DocumentHolder.insertColumnLeftText": "Kolom Kiri", + "SSE.Views.DocumentHolder.insertColumnRightText": "Kolom Kanan", + "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.selectRowText": "Baris", + "SSE.Views.DocumentHolder.selectTableText": "Tabel", + "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.textBullets": "Butir", + "SSE.Views.DocumentHolder.textCropFill": "Isian", "SSE.Views.DocumentHolder.textFreezePanes": "Freeze Panes", + "SSE.Views.DocumentHolder.textFromFile": "Dari File", + "SSE.Views.DocumentHolder.textFromUrl": "Dari URL", + "SSE.Views.DocumentHolder.textNone": "tidak ada", + "SSE.Views.DocumentHolder.textNumbering": "Penomoran", + "SSE.Views.DocumentHolder.textReplace": "Ganti Gambar", + "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.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", @@ -370,7 +862,9 @@ "SSE.Views.DocumentHolder.txtColumn": "Entire column", "SSE.Views.DocumentHolder.txtColumnWidth": "Column Width", "SSE.Views.DocumentHolder.txtCopy": "Copy", + "SSE.Views.DocumentHolder.txtCurrency": "Mata uang", "SSE.Views.DocumentHolder.txtCut": "Cut", + "SSE.Views.DocumentHolder.txtDate": "Tanggal", "SSE.Views.DocumentHolder.txtDelete": "Delete", "SSE.Views.DocumentHolder.txtDescending": "Descending", "SSE.Views.DocumentHolder.txtEditComment": "Edit Comment", @@ -379,23 +873,31 @@ "SSE.Views.DocumentHolder.txtHide": "Hide", "SSE.Views.DocumentHolder.txtInsert": "Insert", "SSE.Views.DocumentHolder.txtInsHyperlink": "Hyperlink", + "SSE.Views.DocumentHolder.txtNumber": "Angka", "SSE.Views.DocumentHolder.txtPaste": "Paste", + "SSE.Views.DocumentHolder.txtPercentage": "Persentase", "SSE.Views.DocumentHolder.txtRow": "Entire row", "SSE.Views.DocumentHolder.txtRowHeight": "Row Height", + "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.txtText": "Teks", "SSE.Views.DocumentHolder.txtTextAdvanced": "Text Advanced Settings", + "SSE.Views.DocumentHolder.txtTime": "Waktu", "SSE.Views.DocumentHolder.txtUngroup": "Ungroup", "SSE.Views.DocumentHolder.txtWidth": "Width", "SSE.Views.DocumentHolder.vertAlignText": "Vertical Alignment", + "SSE.Views.FieldSettingsDialog.txtProduct": "Produk", + "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...", @@ -405,11 +907,19 @@ "SSE.Views.FileMenu.btnSaveCaption": "Save", "SSE.Views.FileMenu.btnSettingsCaption": "Advanced Settings...", "SSE.Views.FileMenu.btnToEditCaption": "Edit Spreadsheet", + "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.txtComment": "Komentar", + "SSE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Dibuat", + "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.txtSubject": "Subyek", "SSE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Spreadsheet Title", + "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", @@ -443,15 +953,83 @@ "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.ProtectDoc.notcriticalErrorTitle": "Peringatan", "SSE.Views.FileMenuPanels.Settings.txtGeneral": "General", + "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Periksa Ejaan", + "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Peringatan", + "SSE.Views.FormatRulesEditDlg.textAutomatic": "Otomatis", + "SSE.Views.FormatRulesEditDlg.textBold": "Tebal", + "SSE.Views.FormatRulesEditDlg.textClear": "Hapus", + "SSE.Views.FormatRulesEditDlg.textCustom": "Khusus", + "SSE.Views.FormatRulesEditDlg.textFill": "Isian", + "SSE.Views.FormatRulesEditDlg.textGradient": "Gradien", + "SSE.Views.FormatRulesEditDlg.textItalic": "Miring", + "SSE.Views.FormatRulesEditDlg.textMaximum": "Maksimal", + "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.textPreview": "Pratinjau", + "SSE.Views.FormatRulesEditDlg.textSubscript": "Subskrip", + "SSE.Views.FormatRulesEditDlg.textSuperscript": "Superskrip", + "SSE.Views.FormatRulesEditDlg.textUnderline": "Garis bawah", + "SSE.Views.FormatRulesEditDlg.txtCurrency": "Mata uang", + "SSE.Views.FormatRulesEditDlg.txtDate": "Tanggal", + "SSE.Views.FormatRulesEditDlg.txtEmpty": "Kolom ini harus diisi", + "SSE.Views.FormatRulesEditDlg.txtNumber": "Angka", + "SSE.Views.FormatRulesEditDlg.txtPercentage": "Persentase", + "SSE.Views.FormatRulesEditDlg.txtText": "Teks", + "SSE.Views.FormatRulesEditDlg.txtTime": "Waktu", + "SSE.Views.FormatRulesManagerDlg.guestText": "Tamu", + "SSE.Views.FormatRulesManagerDlg.lockText": "Dikunci", + "SSE.Views.FormatRulesManagerDlg.textDelete": "Hapus", + "SSE.Views.FormatRulesManagerDlg.textEdit": "Sunting", + "SSE.Views.FormatRulesManagerDlg.textNew": "baru", + "SSE.Views.FormatSettingsDialog.textCategory": "Kategori", + "SSE.Views.FormatSettingsDialog.txtCurrency": "Mata uang", + "SSE.Views.FormatSettingsDialog.txtCustom": "Khusus", + "SSE.Views.FormatSettingsDialog.txtDate": "Tanggal", + "SSE.Views.FormatSettingsDialog.txtGeneral": "Umum", + "SSE.Views.FormatSettingsDialog.txtNone": "tidak ada", + "SSE.Views.FormatSettingsDialog.txtNumber": "Angka", + "SSE.Views.FormatSettingsDialog.txtPercentage": "Persentase", + "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.FormulaDialog.txtSearch": "Cari", "SSE.Views.FormulaDialog.txtTitle": "Insert Function", + "SSE.Views.FormulaTab.textAutomatic": "Otomatis", + "SSE.Views.FormulaTab.txtAdditional": "Tambahan", + "SSE.Views.FormulaWizard.textAny": "Apa saja", + "SSE.Views.FormulaWizard.textNumber": "Angka", + "SSE.Views.FormulaWizard.textText": "Teks", + "SSE.Views.HeaderFooterDialog.textBold": "Tebal", + "SSE.Views.HeaderFooterDialog.textCenter": "Tengah", + "SSE.Views.HeaderFooterDialog.textDate": "Tanggal", + "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.textInsert": "Sisipkan", + "SSE.Views.HeaderFooterDialog.textItalic": "Miring", + "SSE.Views.HeaderFooterDialog.textLeft": "Kiri", + "SSE.Views.HeaderFooterDialog.textNewColor": "Tambahkan Warna Khusus Baru", + "SSE.Views.HeaderFooterDialog.textOdd": "Halaman Ganjil", + "SSE.Views.HeaderFooterDialog.textRight": "Kanan", + "SSE.Views.HeaderFooterDialog.textStrikeout": "Coret ganda", + "SSE.Views.HeaderFooterDialog.textSubscript": "Subskrip", + "SSE.Views.HeaderFooterDialog.textSuperscript": "Superskrip", + "SSE.Views.HeaderFooterDialog.textTime": "Waktu", + "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.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", @@ -463,6 +1041,9 @@ "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.ImageSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "SSE.Views.ImageSettings.textCropFill": "Isian", + "SSE.Views.ImageSettings.textEdit": "Sunting", "SSE.Views.ImageSettings.textFromFile": "From File", "SSE.Views.ImageSettings.textFromUrl": "From URL", "SSE.Views.ImageSettings.textHeight": "Height", @@ -471,11 +1052,15 @@ "SSE.Views.ImageSettings.textOriginalSize": "Default Size", "SSE.Views.ImageSettings.textSize": "Size", "SSE.Views.ImageSettings.textWidth": "Width", + "SSE.Views.ImageSettingsAdvanced.textAltDescription": "Deskripsi", + "SSE.Views.ImageSettingsAdvanced.textAltTitle": "Judul", + "SSE.Views.ImageSettingsAdvanced.textTitle": "Gambar - Pengaturan Lanjut", "SSE.Views.LeftMenu.tipAbout": "About", "SSE.Views.LeftMenu.tipChat": "Chat", "SSE.Views.LeftMenu.tipComments": "Comments", "SSE.Views.LeftMenu.tipFile": "File", "SSE.Views.LeftMenu.tipSearch": "Search", + "SSE.Views.LeftMenu.tipSpellcheck": "Periksa Ejaan", "SSE.Views.LeftMenu.tipSupport": "Feedback & Support", "SSE.Views.MainSettingsPrint.okButtonText": "Save", "SSE.Views.MainSettingsPrint.strBottom": "Bottom", @@ -486,6 +1071,8 @@ "SSE.Views.MainSettingsPrint.strPrint": "Print", "SSE.Views.MainSettingsPrint.strRight": "Right", "SSE.Views.MainSettingsPrint.strTop": "Top", + "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", @@ -511,6 +1098,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "Paste Name", "SSE.Views.NameManagerDlg.closeButtonText": "Close", "SSE.Views.NameManagerDlg.guestText": "Guest", + "SSE.Views.NameManagerDlg.lockText": "Dikunci", "SSE.Views.NameManagerDlg.textDataRange": "Data Range", "SSE.Views.NameManagerDlg.textDelete": "Delete", "SSE.Views.NameManagerDlg.textEdit": "Edit", @@ -528,6 +1116,11 @@ "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.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", @@ -542,18 +1135,27 @@ "SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "All caps", "SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Double strikethrough", "SSE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Left", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Spasi Antar Baris", "SSE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Right", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Setelah", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Sebelum", + "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.strSpacing": "Spasi", "SSE.Views.ParagraphSettingsAdvanced.strStrike": "Strikethrough", "SSE.Views.ParagraphSettingsAdvanced.strSubscript": "Subscript", "SSE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superscript", "SSE.Views.ParagraphSettingsAdvanced.strTabs": "Tab", "SSE.Views.ParagraphSettingsAdvanced.textAlign": "Alignment", + "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.textExact": "Persis", + "SSE.Views.ParagraphSettingsAdvanced.textFirstLine": "Baris Pertama", + "SSE.Views.ParagraphSettingsAdvanced.textJustified": "Rata Kiri-Kanan", "SSE.Views.ParagraphSettingsAdvanced.textRemove": "Remove", "SSE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Remove All", "SSE.Views.ParagraphSettingsAdvanced.textSet": "Specify", @@ -562,6 +1164,24 @@ "SSE.Views.ParagraphSettingsAdvanced.textTabPosition": "Tab Position", "SSE.Views.ParagraphSettingsAdvanced.textTabRight": "Right", "SSE.Views.ParagraphSettingsAdvanced.textTitle": "Paragraph - Advanced Settings", + "SSE.Views.ParagraphSettingsAdvanced.txtAutoText": "Otomatis", + "SSE.Views.PivotDigitalFilterDialog.txtAnd": "dan", + "SSE.Views.PivotGroupDialog.textAuto": "Otomatis", + "SSE.Views.PivotGroupDialog.textBy": "oleh", + "SSE.Views.PivotGroupDialog.textDays": "Hari", + "SSE.Views.PivotGroupDialog.textHour": "jam", + "SSE.Views.PivotGroupDialog.textMin": "menit", + "SSE.Views.PivotGroupDialog.textMonth": "bulan", + "SSE.Views.PivotGroupDialog.textYear": "tahun", + "SSE.Views.PivotSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "SSE.Views.PivotSettings.textColumns": "Kolom", + "SSE.Views.PivotSettings.textRows": "Baris", + "SSE.Views.PivotSettingsAdvanced.textAltDescription": "Deskripsi", + "SSE.Views.PivotSettingsAdvanced.textAltTitle": "Judul", + "SSE.Views.PivotSettingsAdvanced.txtEmpty": "Kolom ini harus diisi", + "SSE.Views.PivotSettingsAdvanced.txtName": "Nama", + "SSE.Views.PivotTable.txtCreate": "Sisipkan Tabel", + "SSE.Views.PivotTable.txtSelect": "Pilih", "SSE.Views.PrintSettings.btnPrint": "Save & Print", "SSE.Views.PrintSettings.strBottom": "Bottom", "SSE.Views.PrintSettings.strLandscape": "Landscape", @@ -570,10 +1190,12 @@ "SSE.Views.PrintSettings.strPortrait": "Portrait", "SSE.Views.PrintSettings.strPrint": "Print", "SSE.Views.PrintSettings.strRight": "Right", + "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.textCustom": "Khusus", "SSE.Views.PrintSettings.textHideDetails": "Hide Details", "SSE.Views.PrintSettings.textLayout": "Layout", "SSE.Views.PrintSettings.textPageOrientation": "Page Orientation", @@ -584,12 +1206,47 @@ "SSE.Views.PrintSettings.textSelection": "Selection", "SSE.Views.PrintSettings.textShowDetails": "Show Details", "SSE.Views.PrintSettings.textTitle": "Print Settings", + "SSE.Views.PrintWithPreview.txtActualSize": "Ukuran Sebenarnya", + "SSE.Views.PrintWithPreview.txtBottom": "Bawah", + "SSE.Views.PrintWithPreview.txtCustom": "Khusus", + "SSE.Views.PrintWithPreview.txtLeft": "Kiri", + "SSE.Views.PrintWithPreview.txtMargins": "Margin", + "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.txtPrint": "Cetak", + "SSE.Views.PrintWithPreview.txtRight": "Kanan", + "SSE.Views.PrintWithPreview.txtSave": "Simpan", + "SSE.Views.PrintWithPreview.txtTop": "Atas", + "SSE.Views.ProtectDialog.txtEmpty": "Kolom ini harus diisi", + "SSE.Views.ProtectDialog.txtPassword": "Kata Sandi", + "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.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.textPwd": "Kata Sandi", + "SSE.Views.ProtectRangesDlg.textTitle": "Judul", + "SSE.Views.ProtectRangesDlg.txtNo": "Tidak", + "SSE.Views.ProtectRangesDlg.txtYes": "Ya", + "SSE.Views.RemoveDuplicatesDialog.textColumns": "Kolom", + "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.RightMenu.txtTableSettings": "Pengaturan Tabel", "SSE.Views.RightMenu.txtTextArtSettings": "Text Art Settings", + "SSE.Views.ScaleDialog.textAuto": "Otomatis", + "SSE.Views.ScaleDialog.textFewPages": "Halaman", + "SSE.Views.ScaleDialog.textHeight": "Ketinggian", + "SSE.Views.ScaleDialog.textManyPages": "Halaman", + "SSE.Views.ScaleDialog.textOnePage": "Halaman", + "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", @@ -601,6 +1258,7 @@ "SSE.Views.ShapeSettings.strSize": "Size", "SSE.Views.ShapeSettings.strStroke": "Stroke", "SSE.Views.ShapeSettings.strTransparency": "Opacity", + "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", @@ -615,6 +1273,7 @@ "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.textRadial": "Radial", "SSE.Views.ShapeSettings.textSelectTexture": "Select", "SSE.Views.ShapeSettings.textStretch": "Stretch", @@ -633,13 +1292,17 @@ "SSE.Views.ShapeSettings.txtNoBorders": "No Line", "SSE.Views.ShapeSettings.txtPapyrus": "Papyrus", "SSE.Views.ShapeSettings.txtWood": "Wood", + "SSE.Views.ShapeSettingsAdvanced.strColumns": "Kolom", "SSE.Views.ShapeSettingsAdvanced.strMargins": "Text Padding", + "SSE.Views.ShapeSettingsAdvanced.textAltDescription": "Deskripsi", + "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.textColNumber": "Jumlah Kolom", "SSE.Views.ShapeSettingsAdvanced.textEndSize": "End Size", "SSE.Views.ShapeSettingsAdvanced.textEndStyle": "End Style", "SSE.Views.ShapeSettingsAdvanced.textFlat": "Flat", @@ -657,6 +1320,51 @@ "SSE.Views.ShapeSettingsAdvanced.textTop": "Top", "SSE.Views.ShapeSettingsAdvanced.textWeightArrows": "Weights & Arrows", "SSE.Views.ShapeSettingsAdvanced.textWidth": "Width", + "SSE.Views.SignatureSettings.notcriticalErrorTitle": "Peringatan", + "SSE.Views.SlicerAddDialog.textColumns": "Kolom", + "SSE.Views.SlicerSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "SSE.Views.SlicerSettings.textButtons": "Tombol", + "SSE.Views.SlicerSettings.textColumns": "Kolom", + "SSE.Views.SlicerSettings.textHeight": "Ketinggian", + "SSE.Views.SlicerSettings.textHor": "Horisontal", + "SSE.Views.SlicerSettings.textKeepRatio": "Proporsi Konstan", + "SSE.Views.SlicerSettings.textPosition": "Jabatan", + "SSE.Views.SlicerSettings.textSize": "Ukuran", + "SSE.Views.SlicerSettings.textStyle": "Model", + "SSE.Views.SlicerSettings.textVert": "Vertikal", + "SSE.Views.SlicerSettings.textWidth": "Lebar", + "SSE.Views.SlicerSettingsAdvanced.strButtons": "Tombol", + "SSE.Views.SlicerSettingsAdvanced.strColumns": "Kolom", + "SSE.Views.SlicerSettingsAdvanced.strHeight": "Ketinggian", + "SSE.Views.SlicerSettingsAdvanced.strSize": "Ukuran", + "SSE.Views.SlicerSettingsAdvanced.strStyle": "Model", + "SSE.Views.SlicerSettingsAdvanced.strWidth": "Lebar", + "SSE.Views.SlicerSettingsAdvanced.textAltDescription": "Deskripsi", + "SSE.Views.SlicerSettingsAdvanced.textAltTitle": "Judul", + "SSE.Views.SlicerSettingsAdvanced.textKeepRatio": "Proporsi Konstan", + "SSE.Views.SlicerSettingsAdvanced.textName": "Nama", + "SSE.Views.SlicerSettingsAdvanced.txtEmpty": "Kolom ini harus diisi", + "SSE.Views.SortDialog.textAuto": "Otomatis", + "SSE.Views.SortDialog.textBelow": "Di bawah", + "SSE.Views.SortDialog.textColumn": "Kolom", + "SSE.Views.SortDialog.textFontColor": "Warna Huruf", + "SSE.Views.SortDialog.textLeft": "Kiri", + "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.textTop": "Atas", + "SSE.Views.SortOptionsDialog.textCase": "Harus sama persis", + "SSE.Views.SpecialPasteDialog.textAdd": "Tambahkan", + "SSE.Views.SpecialPasteDialog.textAll": "Semua", + "SSE.Views.SpecialPasteDialog.textComments": "Komentar", + "SSE.Views.SpecialPasteDialog.textNone": "tidak ada", + "SSE.Views.SpecialPasteDialog.textPaste": "Tempel", + "SSE.Views.Spellcheck.textChange": "Ganti", + "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", @@ -666,8 +1374,10 @@ "SSE.Views.Statusbar.itemHidden": "Hidden", "SSE.Views.Statusbar.itemHide": "Hide", "SSE.Views.Statusbar.itemInsert": "Insert", + "SSE.Views.Statusbar.itemMaximum": "Maksimal", "SSE.Views.Statusbar.itemMove": "Move", "SSE.Views.Statusbar.itemRename": "Rename", + "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: \\/*?[]:", @@ -691,6 +1401,27 @@ "SSE.Views.TableOptionsDialog.txtFormat": "Create table", "SSE.Views.TableOptionsDialog.txtInvalidRange": "ERROR! Invalid cells range", "SSE.Views.TableOptionsDialog.txtTitle": "Title", + "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.insertRowBelowText": "Sisipkan Baris di Bawah", + "SSE.Views.TableSettings.notcriticalErrorTitle": "Peringatan", + "SSE.Views.TableSettings.selectRowText": "Pilih Baris", + "SSE.Views.TableSettings.selectTableText": "Pilih Tabel", + "SSE.Views.TableSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "SSE.Views.TableSettings.textBanded": "Bergaris", + "SSE.Views.TableSettings.textColumns": "Kolom", + "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.textRows": "Baris", + "SSE.Views.TableSettings.textTemplate": "Pilih Dari Template", + "SSE.Views.TableSettingsAdvanced.textAltDescription": "Deskripsi", + "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", @@ -699,6 +1430,7 @@ "SSE.Views.TextArtSettings.strSize": "Size", "SSE.Views.TextArtSettings.strStroke": "Stroke", "SSE.Views.TextArtSettings.strTransparency": "Opacity", + "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", @@ -711,6 +1443,7 @@ "SSE.Views.TextArtSettings.textLinear": "Linear", "SSE.Views.TextArtSettings.textNoFill": "No Fill", "SSE.Views.TextArtSettings.textPatternFill": "Pattern", + "SSE.Views.TextArtSettings.textPosition": "Jabatan", "SSE.Views.TextArtSettings.textRadial": "Radial", "SSE.Views.TextArtSettings.textSelectTexture": "Select", "SSE.Views.TextArtSettings.textStretch": "Stretch", @@ -731,6 +1464,17 @@ "SSE.Views.TextArtSettings.txtNoBorders": "No Line", "SSE.Views.TextArtSettings.txtPapyrus": "Papyrus", "SSE.Views.TextArtSettings.txtWood": "Wood", + "SSE.Views.Toolbar.capBtnAddComment": "Tambahkan komentar", + "SSE.Views.Toolbar.capBtnComment": "Komentar", + "SSE.Views.Toolbar.capBtnMargins": "Margin", + "SSE.Views.Toolbar.capBtnPageSize": "Ukuran", + "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.capInsertImage": "Gambar", + "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", @@ -741,6 +1485,8 @@ "SSE.Views.Toolbar.textAlignRight": "Align Right", "SSE.Views.Toolbar.textAlignTop": "Align Top", "SSE.Views.Toolbar.textAllBorders": "All Borders", + "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", @@ -753,23 +1499,37 @@ "SSE.Views.Toolbar.textDiagUpBorder": "Diagonal Up Border", "SSE.Views.Toolbar.textEntireCol": "Entire Column", "SSE.Views.Toolbar.textEntireRow": "Entire Row", + "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.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.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.textScaleCustom": "Khusus", + "SSE.Views.Toolbar.textStrikeout": "Coret ganda", + "SSE.Views.Toolbar.textSubscript": "Subskrip", + "SSE.Views.Toolbar.textSuperscript": "Superskrip", + "SSE.Views.Toolbar.textTabData": "Data", + "SSE.Views.Toolbar.textTabFile": "File", + "SSE.Views.Toolbar.textTabHome": "Halaman Depan", + "SSE.Views.Toolbar.textTabInsert": "Sisipkan", + "SSE.Views.Toolbar.textTabView": "Lihat", "SSE.Views.Toolbar.textTopBorders": "Top Borders", "SSE.Views.Toolbar.textUnderline": "Underline", + "SSE.Views.Toolbar.textWidth": "Lebar", "SSE.Views.Toolbar.textZoom": "Zoom", "SSE.Views.Toolbar.tipAlignBottom": "Align Bottom", "SSE.Views.Toolbar.tipAlignCenter": "Align Center", @@ -782,6 +1542,7 @@ "SSE.Views.Toolbar.tipBack": "Back", "SSE.Views.Toolbar.tipBorders": "Borders", "SSE.Views.Toolbar.tipCellStyle": "Cell Style", + "SSE.Views.Toolbar.tipChangeChart": "Ubah Tipe Bagan", "SSE.Views.Toolbar.tipClearStyle": "Clear", "SSE.Views.Toolbar.tipColorSchemas": "Change Color Scheme", "SSE.Views.Toolbar.tipCopy": "Copy", @@ -793,25 +1554,34 @@ "SSE.Views.Toolbar.tipDigStyleCurrency": "Currency Style", "SSE.Views.Toolbar.tipDigStylePercent": "Percent Style", "SSE.Views.Toolbar.tipEditChart": "Edit Chart", + "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.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.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.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.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", @@ -883,5 +1653,24 @@ "SSE.Views.Toolbar.txtText": "Text", "SSE.Views.Toolbar.txtTime": "Time", "SSE.Views.Toolbar.txtUnmerge": "Unmerge Cells", - "SSE.Views.Toolbar.txtYen": "¥ Yen" + "SSE.Views.Toolbar.txtYen": "¥ Yen", + "SSE.Views.Top10FilterDialog.textType": "Tampilkan", + "SSE.Views.Top10FilterDialog.txtBottom": "Bawah", + "SSE.Views.Top10FilterDialog.txtBy": "oleh", + "SSE.Views.Top10FilterDialog.txtSum": "Jumlah", + "SSE.Views.Top10FilterDialog.txtTop": "Atas", + "SSE.Views.ValueFieldSettingsDialog.txtIndex": "Indeks", + "SSE.Views.ValueFieldSettingsDialog.txtProduct": "Produk", + "SSE.Views.ValueFieldSettingsDialog.txtSum": "Jumlah", + "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.textRename": "Ganti nama", + "SSE.Views.ViewTab.textClose": "Tutup", + "SSE.Views.ViewTab.textCreate": "baru", + "SSE.Views.ViewTab.textDefault": "standar", + "SSE.Views.ViewTab.textZoom": "Pembesaran" } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/locale/it.json b/apps/spreadsheeteditor/main/locale/it.json index 2945db1e7..28548310b 100644 --- a/apps/spreadsheeteditor/main/locale/it.json +++ b/apps/spreadsheeteditor/main/locale/it.json @@ -114,6 +114,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nuovo", "Common.UI.ExtendedColorDialog.textRGBErr": "Il valore inserito non è corretto.
Inserisci un valore numerico tra 0 e 255.", "Common.UI.HSBColorPicker.textNoColor": "Nessun colore", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Nascondi password", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostra password", "Common.UI.SearchDialog.textHighlight": "Evidenzia risultati", "Common.UI.SearchDialog.textMatchCase": "Sensibile al maiuscolo/minuscolo", "Common.UI.SearchDialog.textReplaceDef": "Inserisci testo sostitutivo", @@ -178,12 +180,14 @@ "Common.Views.Comments.mniAuthorDesc": "Autore dalla Z alla A", "Common.Views.Comments.mniDateAsc": "Più vecchio", "Common.Views.Comments.mniDateDesc": "Più recente", + "Common.Views.Comments.mniFilterGroups": "Filtra per gruppo", "Common.Views.Comments.mniPositionAsc": "Dall'alto", "Common.Views.Comments.mniPositionDesc": "Dal basso", "Common.Views.Comments.textAdd": "Aggiungi", "Common.Views.Comments.textAddComment": "Aggiungi commento", "Common.Views.Comments.textAddCommentToDoc": "Aggiungi commento al documento", "Common.Views.Comments.textAddReply": "Aggiungi risposta", + "Common.Views.Comments.textAll": "Tutti", "Common.Views.Comments.textAnonym": "Ospite", "Common.Views.Comments.textCancel": "Annulla", "Common.Views.Comments.textClose": "Chiudi", @@ -197,6 +201,7 @@ "Common.Views.Comments.textResolve": "Risolvere", "Common.Views.Comments.textResolved": "Risolto", "Common.Views.Comments.textSort": "Ordinare commenti", + "Common.Views.Comments.textViewResolved": "Non sei autorizzato a riaprire il commento", "Common.Views.CopyWarningDialog.textDontShow": "Non mostrare più questo messaggio", "Common.Views.CopyWarningDialog.textMsg": "Le azioni di copia, taglia e incolla utilizzando i pulsanti della barra degli strumenti dell'editor e le azioni del menu di scelta rapida verranno eseguite solo all'interno di questa scheda dell'editor.

Per copiare o incollare in o da applicazioni esterne alla scheda dell'editor, utilizzare le seguenti combinazioni di tasti:", "Common.Views.CopyWarningDialog.textTitle": "Funzioni copia/taglia/incolla", @@ -364,6 +369,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Apri di nuovo", "Common.Views.ReviewPopover.textReply": "Rispondi", "Common.Views.ReviewPopover.textResolve": "Risolvere", + "Common.Views.ReviewPopover.textViewResolved": "Non sei autorizzato a riaprire il commento", "Common.Views.ReviewPopover.txtDeleteTip": "Eliminare", "Common.Views.ReviewPopover.txtEditTip": "Modificare", "Common.Views.SaveAsDlg.textLoading": "Caricamento", @@ -474,6 +480,7 @@ "SSE.Controllers.DocumentHolder.txtAddVer": "Aggiungi linea verticale", "SSE.Controllers.DocumentHolder.txtAlignToChar": "Allinea al carattere", "SSE.Controllers.DocumentHolder.txtAll": "(Tutti)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "Restituisce l'intero contenuto della tabella o delle colonne della tabella specificate, comprese le intestazioni di colonna, i dati e le righe totali", "SSE.Controllers.DocumentHolder.txtAnd": "e", "SSE.Controllers.DocumentHolder.txtBegins": "Inizia con", "SSE.Controllers.DocumentHolder.txtBelowAve": "sotto la media", @@ -483,6 +490,7 @@ "SSE.Controllers.DocumentHolder.txtColumn": "Colonna", "SSE.Controllers.DocumentHolder.txtColumnAlign": "Allineamento colonna", "SSE.Controllers.DocumentHolder.txtContains": "contiene", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "Restituisce le celle di dati della tabella o le colonne della tabella specificate", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "Diminuisci dimensione argomento", "SSE.Controllers.DocumentHolder.txtDeleteArg": "Elimina argomento", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "Elimina interruzione manuale", @@ -506,6 +514,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Maggiore o uguale a", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "Char sul testo", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "Char sotto il testo", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "Restituisce le intestazioni di colonna per la tabella o le colonne di tabella specificate", "SSE.Controllers.DocumentHolder.txtHeight": "Altezza", "SSE.Controllers.DocumentHolder.txtHideBottom": "Nascondi il bordo inferiore", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Nascondi il limite inferiore", @@ -584,7 +593,9 @@ "SSE.Controllers.DocumentHolder.txtSorting": "Ordinamento", "SSE.Controllers.DocumentHolder.txtSortSelected": "Ordina selezionati", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Allunga Parentesi", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "Seleziona solo questa riga della colonna specificata", "SSE.Controllers.DocumentHolder.txtTop": "In alto", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "Restituisce le righe totali per la tabella o le colonne della tabella specificate", "SSE.Controllers.DocumentHolder.txtUnderbar": "Barra sotto al testo", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Annulla l'espansione automatica della tabella", "SSE.Controllers.DocumentHolder.txtUseTextImport": "Usa la procedura guidata di importazione del testo", @@ -639,6 +650,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "L'operazione non può essere eseguita perché l'area contiene celle filtrate
Scopri gli elementi filtrati e riprova.", "SSE.Controllers.Main.errorBadImageUrl": "URL dell'immagine non corretto", "SSE.Controllers.Main.errorCannotUngroup": "Impossibile separare. Per iniziare una struttura, seleziona le righe o le colonne interessate e raggruppale.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "Non è possibile utilizzare questo comando su un foglio protetto. Per utilizzare questo comando, sproteggi il foglio.
Potrebbe essere richiesto di inserire una password.", "SSE.Controllers.Main.errorChangeArray": "Non è possibile modificare parte di una matrice", "SSE.Controllers.Main.errorChangeFilteredRange": "Questo cambierà un intervallo filtrato nel tuo foglio di lavoro.
Per completare questa attività, rimuovi i filtri automatici.", "SSE.Controllers.Main.errorChangeOnProtectedSheet": "La cella o il grafico che stai cercando di cambiare si trova sul foglio protetto.
Per apportare una modifica, togli la protezione del foglio. Potrebbe esserti richiesto di inserire una password.", @@ -769,6 +781,7 @@ "SSE.Controllers.Main.textNoLicenseTitle": "Limite di licenza raggiunto", "SSE.Controllers.Main.textPaidFeature": "Funzionalità a pagamento", "SSE.Controllers.Main.textPleaseWait": "L'operazione può richiedere più tempo. Per favore, attendi...", + "SSE.Controllers.Main.textReconnect": "Connessione ripristinata", "SSE.Controllers.Main.textRemember": "Ricorda la mia scelta per tutti i file", "SSE.Controllers.Main.textRenameError": "Il nome utente non può essere vuoto.", "SSE.Controllers.Main.textRenameLabel": "Immettere un nome da utilizzare per la collaborazione", @@ -1060,6 +1073,7 @@ "SSE.Controllers.Statusbar.errorLastSheet": "La cartella di lavoro deve contenere almeno un foglio di lavoro visibile.", "SSE.Controllers.Statusbar.errorRemoveSheet": "Impossibile eliminare il foglio di lavoro.", "SSE.Controllers.Statusbar.strSheet": "Foglio", + "SSE.Controllers.Statusbar.textDisconnect": "Connessione persa
Tentativo di connessione in corso. Si prega di controllare le impostazioni di connessione.", "SSE.Controllers.Statusbar.textSheetViewTip": "Sei in modalità di visualizzazione del foglio di calcolo. I filtri e l'ordinamento sono visibili solo a te e a coloro che sono ancora in questa visualizzazione.", "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Sei in modalità di visualizzazione del foglio di calcolo. I filtri sono visibili solo a te e a coloro che sono ancora in questa visualizzazione.", "SSE.Controllers.Statusbar.warnDeleteSheet": "I fogli di lavoro selezionati potrebbero contenere dati. Sei sicuro di voler procedere?", @@ -1085,6 +1099,7 @@ "SSE.Controllers.Toolbar.textPivot": "Tabella pivot", "SSE.Controllers.Toolbar.textRadical": "Radicali", "SSE.Controllers.Toolbar.textRating": "Valutazioni", + "SSE.Controllers.Toolbar.textRecentlyUsed": "Usati di recente", "SSE.Controllers.Toolbar.textScript": "Script", "SSE.Controllers.Toolbar.textShapes": "Forme", "SSE.Controllers.Toolbar.textSymbols": "Simboli", @@ -1426,7 +1441,9 @@ "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Separatore decimale", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Separatore delle migliaia", "SSE.Views.AdvancedSeparatorDialog.textLabel": "Impostazioni utilizzate per riconoscere i dati numerici", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "Qualificatore di testo", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Impostazioni avanzate", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(nessuna)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Filtro personalizzato", "SSE.Views.AutoFilterDialog.textAddSelection": "Aggiungi la selezione corrente al filtro", "SSE.Views.AutoFilterDialog.textEmptyItem": "{Spazi vuoti}", @@ -1872,6 +1889,7 @@ "SSE.Views.DocumentHolder.textCrop": "Ritaglia", "SSE.Views.DocumentHolder.textCropFill": "Riempimento", "SSE.Views.DocumentHolder.textCropFit": "Adatta", + "SSE.Views.DocumentHolder.textEditPoints": "Modifica punti", "SSE.Views.DocumentHolder.textEntriesList": "Seleziona dal menù a cascata", "SSE.Views.DocumentHolder.textFlipH": "Capovolgi orizzontalmente", "SSE.Views.DocumentHolder.textFlipV": "Capovolgi verticalmente", @@ -2241,6 +2259,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Modificare la regola di formattazione", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Nuova regola di formattazione", "SSE.Views.FormatRulesManagerDlg.guestText": "Ospite", + "SSE.Views.FormatRulesManagerDlg.lockText": "Bloccato", "SSE.Views.FormatRulesManagerDlg.text1Above": "1 deviazione standard sopra la media", "SSE.Views.FormatRulesManagerDlg.text1Below": "1 deviazione standard sotto la media", "SSE.Views.FormatRulesManagerDlg.text2Above": "2 deviazioni standard sopra la media", @@ -2402,6 +2421,7 @@ "SSE.Views.ImageSettings.textCrop": "Ritaglia", "SSE.Views.ImageSettings.textCropFill": "Riempimento", "SSE.Views.ImageSettings.textCropFit": "Adatta", + "SSE.Views.ImageSettings.textCropToShape": "Ritaglia forma", "SSE.Views.ImageSettings.textEdit": "Modifica", "SSE.Views.ImageSettings.textEditObject": "Modifica oggetto", "SSE.Views.ImageSettings.textFlip": "Capovolgi", @@ -2416,6 +2436,7 @@ "SSE.Views.ImageSettings.textInsert": "Sostituisci immagine", "SSE.Views.ImageSettings.textKeepRatio": "Proporzioni costanti", "SSE.Views.ImageSettings.textOriginalSize": "Dimensione reale", + "SSE.Views.ImageSettings.textRecentlyUsed": "Usati di recente", "SSE.Views.ImageSettings.textRotate90": "Ruota di 90°", "SSE.Views.ImageSettings.textRotation": "Rotazione", "SSE.Views.ImageSettings.textSize": "Dimensione", @@ -2493,6 +2514,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "Incolla nome", "SSE.Views.NameManagerDlg.closeButtonText": "Chiudi", "SSE.Views.NameManagerDlg.guestText": "Guest", + "SSE.Views.NameManagerDlg.lockText": "Bloccato", "SSE.Views.NameManagerDlg.textDataRange": "Intervallo dati", "SSE.Views.NameManagerDlg.textDelete": "Elimina", "SSE.Views.NameManagerDlg.textEdit": "Modifica", @@ -2724,6 +2746,44 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "Seleziona intervallo", "SSE.Views.PrintTitlesDialog.textTitle": "Stampa titoli", "SSE.Views.PrintTitlesDialog.textTop": "Ripeti righe in alto", + "SSE.Views.PrintWithPreview.txtActualSize": "Predefinita", + "SSE.Views.PrintWithPreview.txtAllSheets": "Tutti i fogli", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Applica a tutti i fogli", + "SSE.Views.PrintWithPreview.txtBottom": "In basso", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Foglio attuale", + "SSE.Views.PrintWithPreview.txtCustom": "Personalizzato", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Opzioni personalizzate", + "SSE.Views.PrintWithPreview.txtEmptyTable": "Non c'è niente da stampare perché la tabella è vuota", + "SSE.Views.PrintWithPreview.txtFitCols": "Adatta tutte le colonne in una pagina", + "SSE.Views.PrintWithPreview.txtFitPage": "Adatta foglio in una pagina", + "SSE.Views.PrintWithPreview.txtFitRows": "Adatta tutte le righe in una pagina", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Linee griglia e intestazioni", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Impostazioni intestazione/piè di pagina", + "SSE.Views.PrintWithPreview.txtIgnore": "Ignora area di stampa", + "SSE.Views.PrintWithPreview.txtLandscape": "Panorama", + "SSE.Views.PrintWithPreview.txtLeft": "A sinistra", + "SSE.Views.PrintWithPreview.txtMargins": "Margini", + "SSE.Views.PrintWithPreview.txtOf": "di {0}", + "SSE.Views.PrintWithPreview.txtPage": "Pagina", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "Numero pagina non valido", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Orientamento pagina", + "SSE.Views.PrintWithPreview.txtPageSize": "Dimensione pagina", + "SSE.Views.PrintWithPreview.txtPortrait": "Verticale", + "SSE.Views.PrintWithPreview.txtPrint": "Stampa", + "SSE.Views.PrintWithPreview.txtPrintGrid": "Stampa griglia", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "Stampa intestazioni di riga e colonna", + "SSE.Views.PrintWithPreview.txtPrintRange": "Area di stampa", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Stampa titoli", + "SSE.Views.PrintWithPreview.txtRepeat": "Ripeti...", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "Ripeti colonne a sinistra", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "Ripeti righe in alto", + "SSE.Views.PrintWithPreview.txtRight": "A destra", + "SSE.Views.PrintWithPreview.txtSave": "Salva", + "SSE.Views.PrintWithPreview.txtScaling": "Ridimensionamento", + "SSE.Views.PrintWithPreview.txtSelection": "Selezione", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Impostazioni foglio", + "SSE.Views.PrintWithPreview.txtSheet": "Foglio: {0}", + "SSE.Views.PrintWithPreview.txtTop": "In alto", "SSE.Views.ProtectDialog.textExistName": "ERRORE! Un intervallo con un tale titolo già esiste", "SSE.Views.ProtectDialog.textInvalidName": "Il titolo dell'intervallo deve iniziare con una lettera e può contenere solo lettere, numeri e spazi.", "SSE.Views.ProtectDialog.textInvalidRange": "ERRORE! Intervallo di celle non valido", @@ -2758,6 +2818,7 @@ "SSE.Views.ProtectDialog.txtWBDescription": "Per impedire ad altri utenti di visualizzare fogli di calcolo nascosti, aggiungere, spostare, eliminare o nascondere fogli di calcolo e rinominare fogli di calcolo, è possibile proteggere la struttura del libro di lavoro con una password.", "SSE.Views.ProtectDialog.txtWBTitle": "Proteggere la struttura del libro di lavoro", "SSE.Views.ProtectRangesDlg.guestText": "Ospite", + "SSE.Views.ProtectRangesDlg.lockText": "Bloccato", "SSE.Views.ProtectRangesDlg.textDelete": "Elimina", "SSE.Views.ProtectRangesDlg.textEdit": "Modifica", "SSE.Views.ProtectRangesDlg.textEmpty": "Nessun intervallo consentito per la modifica.", @@ -2837,6 +2898,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "Modello", "SSE.Views.ShapeSettings.textPosition": "Posizione", "SSE.Views.ShapeSettings.textRadial": "Radiale", + "SSE.Views.ShapeSettings.textRecentlyUsed": "Usati di recente", "SSE.Views.ShapeSettings.textRotate90": "Ruota di 90°", "SSE.Views.ShapeSettings.textRotation": "Rotazione", "SSE.Views.ShapeSettings.textSelectImage": "Seleziona immagine", @@ -3098,6 +3160,7 @@ "SSE.Views.Statusbar.tipAddTab": "Aggiungi foglio di lavoro", "SSE.Views.Statusbar.tipFirst": "Scorri verso il primo foglio", "SSE.Views.Statusbar.tipLast": "Scorri verso l'ultimo foglio", + "SSE.Views.Statusbar.tipListOfSheets": "Elenco fogli", "SSE.Views.Statusbar.tipNext": "Scorri elenco fogli a destra", "SSE.Views.Statusbar.tipPrev": "Scorri elenco fogli a sinistra", "SSE.Views.Statusbar.tipZoomFactor": "Zoom", @@ -3286,6 +3349,8 @@ "SSE.Views.Toolbar.textPageMarginsCustom": "Margini personalizzati", "SSE.Views.Toolbar.textPortrait": "Verticale", "SSE.Views.Toolbar.textPrint": "Stampa", + "SSE.Views.Toolbar.textPrintGridlines": "Stampa griglia", + "SSE.Views.Toolbar.textPrintHeadings": "Stampa intestazioni", "SSE.Views.Toolbar.textPrintOptions": "Impostazioni stampa", "SSE.Views.Toolbar.textRight": "Destra:", "SSE.Views.Toolbar.textRightBorders": "Bordo destro", @@ -3364,7 +3429,16 @@ "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", "SSE.Views.Toolbar.tipPageMargins": "Margini della pagina", "SSE.Views.Toolbar.tipPageOrient": "Orientamento pagina", @@ -3493,6 +3567,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Varianza di popolazione", "SSE.Views.ViewManagerDlg.closeButtonText": "Chiudi", "SSE.Views.ViewManagerDlg.guestText": "Ospite", + "SSE.Views.ViewManagerDlg.lockText": "Bloccato", "SSE.Views.ViewManagerDlg.textDelete": "Elimina", "SSE.Views.ViewManagerDlg.textDuplicate": "Duplica", "SSE.Views.ViewManagerDlg.textEmpty": "Non è stata ancora creata alcuna vista.", @@ -3508,7 +3583,9 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "Stai tentando di eliminare la vista attualmente abilitata '%1'.
Desideri chiudere questa visualizzazione ed eliminarla?", "SSE.Views.ViewTab.capBtnFreeze": "Blocca riquadri", "SSE.Views.ViewTab.capBtnSheetView": "Visualizzazione foglio", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "Mostra sempre barra degli strumenti ", "SSE.Views.ViewTab.textClose": "Chiudi", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Combinare le barre di foglio e di stato", "SSE.Views.ViewTab.textCreate": "Nuovo", "SSE.Views.ViewTab.textDefault": "Predefinito", "SSE.Views.ViewTab.textFormula": "Barra della formula", @@ -3516,7 +3593,9 @@ "SSE.Views.ViewTab.textFreezeRow": "Blocca riga superiore", "SSE.Views.ViewTab.textGridlines": "Linee griglia", "SSE.Views.ViewTab.textHeadings": "Intestazioni", + "SSE.Views.ViewTab.textInterfaceTheme": "Tema dell'interfaccia", "SSE.Views.ViewTab.textManager": "Visualizza la gestione", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "Mostra l'ombra dei riquadri bloccati", "SSE.Views.ViewTab.textUnFreeze": "Sblocca riquadri", "SSE.Views.ViewTab.textZeros": "Mostra zeri", "SSE.Views.ViewTab.textZoom": "Zoom", diff --git a/apps/spreadsheeteditor/main/locale/ja.json b/apps/spreadsheeteditor/main/locale/ja.json index 8525ba8bf..4d1df8f67 100644 --- a/apps/spreadsheeteditor/main/locale/ja.json +++ b/apps/spreadsheeteditor/main/locale/ja.json @@ -114,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": "代替テキストの挿入", @@ -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,7 @@ "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": "コピー,切り取り,貼り付けの操作", @@ -281,7 +286,7 @@ "Common.Views.PasswordDialog.txtPassword": "パスワード", "Common.Views.PasswordDialog.txtRepeat": "パスワードを再入力", "Common.Views.PasswordDialog.txtTitle": "パスワードの設定", - "Common.Views.PasswordDialog.txtWarning": "注意: パスワードを忘れると、元に戻せません。", + "Common.Views.PasswordDialog.txtWarning": "注意: パスワードを忘れると元に戻せません。安全な場所に記録してください。", "Common.Views.PluginDlg.textLoading": "読み込み中", "Common.Views.Plugins.groupCaption": "プラグイン", "Common.Views.Plugins.strPlugins": "プラグイン", @@ -364,6 +369,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": "読み込み中", @@ -611,7 +617,7 @@ "SSE.Controllers.LeftMenu.textLoadHistory": "バリエーションの履歴の読み込み中...", "SSE.Controllers.LeftMenu.textLookin": "検索の範囲", "SSE.Controllers.LeftMenu.textNoTextFound": "検索データが見つかりませんでした。他の検索設定を選択してください。", - "SSE.Controllers.LeftMenu.textReplaceSkipped": "置換が行われました。スキップされた発生回数は{0}です。", + "SSE.Controllers.LeftMenu.textReplaceSkipped": "置換が完了しました。{0}つスキップされました。", "SSE.Controllers.LeftMenu.textReplaceSuccess": "検索完了しました。更新件数は、{0} です。", "SSE.Controllers.LeftMenu.textSearch": "検索", "SSE.Controllers.LeftMenu.textSheet": "シート", @@ -639,6 +645,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": "変更しようとしているチャートには、保護されたシートにあります。変更するには保護を解除が必要です。パスワードの入力を要求されることもあります。", @@ -712,7 +719,7 @@ "SSE.Controllers.Main.errorUpdateVersionOnDisconnect": "インターネット接続が復旧し、ファイルのバージョンが更新されました。
作業を継続する前に、ファイルをダウンロードするか、内容をコピーして、変更が消えてしまわないように確認してから、ページを再びお読み込みください。", "SSE.Controllers.Main.errorUserDrop": "今、ファイルにアクセスすることはできません。", "SSE.Controllers.Main.errorUsersExceed": "料金プランで許可されているユーザー数を超過しました。", - "SSE.Controllers.Main.errorViewerDisconnect": "接続が失われました。文書の表示が可能ですが、
接続が復元されてページが再ロードされるまで、ダウンロードまたは印刷することはできません。", + "SSE.Controllers.Main.errorViewerDisconnect": "接続が失われました。文書の表示は可能ですが、
再度接続されてページが再ロードされるまで、ダウンロードまたは印刷することはできません。", "SSE.Controllers.Main.errorWrongBracketsCount": "入力した数式は正しくありません。
かっこの数が正しくありません。", "SSE.Controllers.Main.errorWrongOperator": "入力した数式は正しくありません。誤った演算子が使用されました。
エラーを確認して修正してください。または、数式の編集をキャンセルするためにESCボタンを使用してください。", "SSE.Controllers.Main.errorWrongPassword": "パスワードが正しくありません。", @@ -777,7 +784,7 @@ "SSE.Controllers.Main.textTryUndoRedo": "ファスト共同編集モードに元に戻す/やり直しの機能は無効になります。
他のユーザーの干渉なし編集するために「厳密なモード」をクリックして、厳密な共同編集モードに切り替えてください。保存した後にのみ、変更を送信してください。編集の詳細設定を使用して共同編集モードを切り替えることができます。", "SSE.Controllers.Main.textTryUndoRedoWarn": "高速で共同な編集モードでは、元に戻す/やり直し機能が無効になります。", "SSE.Controllers.Main.textYes": "はい", - "SSE.Controllers.Main.titleLicenseExp": "ライセンス期限を過ぎました", + "SSE.Controllers.Main.titleLicenseExp": "ライセンスの有効期限が切れています", "SSE.Controllers.Main.titleServerVersion": "エディターが更新された", "SSE.Controllers.Main.txtAccent": "アクセント", "SSE.Controllers.Main.txtAll": "すべて", @@ -1038,7 +1045,7 @@ "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エディターのユーザー制限に達しました。 詳細については、管理者にお問い合わせください。", @@ -1060,6 +1067,7 @@ "SSE.Controllers.Statusbar.errorLastSheet": "最低 1 つのワークシートが含まれていなければなりません。", "SSE.Controllers.Statusbar.errorRemoveSheet": "ワークシートを削除することができません。", "SSE.Controllers.Statusbar.strSheet": "シート", + "SSE.Controllers.Statusbar.textDisconnect": "切断されました
設定を確認してください。", "SSE.Controllers.Statusbar.textSheetViewTip": "シートビューモードになっています。 フィルタと並べ替えは、あなたとまだこのビューにいる人だけに表示されます。", "SSE.Controllers.Statusbar.textSheetViewTipFilters": "シート表示モードになっています。 フィルタは、あなたとまだこの表示にいる人だけに表示されます。", "SSE.Controllers.Statusbar.warnDeleteSheet": "選択したシートにはデータが含まれている可能性があります。続行してもよろしいですか?", @@ -1999,7 +2007,7 @@ "SSE.Views.FileMenu.btnBackCaption": "ファイルの場所を開く", "SSE.Views.FileMenu.btnCloseMenuCaption": "(←戻る)", "SSE.Views.FileMenu.btnCreateNewCaption": "新規作成", - "SSE.Views.FileMenu.btnDownloadCaption": "ダウンロード...", + "SSE.Views.FileMenu.btnDownloadCaption": "名前を付けてダウンロード", "SSE.Views.FileMenu.btnExitCaption": "終了", "SSE.Views.FileMenu.btnFileOpenCaption": "開く", "SSE.Views.FileMenu.btnHelpCaption": "ヘルプ...", @@ -2724,6 +2732,13 @@ "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.txtLeft": "左", + "SSE.Views.PrintWithPreview.txtPrint": "印刷", + "SSE.Views.PrintWithPreview.txtPrintGrid": "枠線の印刷", + "SSE.Views.PrintWithPreview.txtPrintRange": "印刷範囲\t", "SSE.Views.ProtectDialog.textExistName": "エラー!この名がある範囲があります。", "SSE.Views.ProtectDialog.textInvalidName": "範囲の名前に含めることができるのは、文字、数字、およびスペースだけです", "SSE.Views.ProtectDialog.textInvalidRange": "エラー!セルの範囲が正しくありません。", @@ -2741,7 +2756,7 @@ "SSE.Views.ProtectDialog.txtInsHyper": "ハイパーリンクを挿入する", "SSE.Views.ProtectDialog.txtInsRows": "行を挿入する", "SSE.Views.ProtectDialog.txtObjs": "オブジェクトを編集する", - "SSE.Views.ProtectDialog.txtOptional": "任意の", + "SSE.Views.ProtectDialog.txtOptional": "任意", "SSE.Views.ProtectDialog.txtPassword": "パスワード", "SSE.Views.ProtectDialog.txtPivot": "ピボット表とピボットチャートを使う", "SSE.Views.ProtectDialog.txtProtect": "保護する", @@ -2754,7 +2769,7 @@ "SSE.Views.ProtectDialog.txtSheetDescription": "編集権限を制限して、他のユーザーが不用意にデータを変更することを防ぎます", "SSE.Views.ProtectDialog.txtSheetTitle": "シートを保護する", "SSE.Views.ProtectDialog.txtSort": "並べ替え", - "SSE.Views.ProtectDialog.txtWarning": "注意: パスワードを忘れると、元に戻せません。安全な場所に持ってください。", + "SSE.Views.ProtectDialog.txtWarning": "注意: パスワードを忘れると元に戻せません。安全な場所に記録してください。", "SSE.Views.ProtectDialog.txtWBDescription": "他のユーザは非表示のワークシートを表示したり、シート追加、移動、削除したり、シートを非表示、名の変更することができないようにブックの構造をパスワードで保護できます", "SSE.Views.ProtectDialog.txtWBTitle": "ブックを保護する", "SSE.Views.ProtectRangesDlg.guestText": "ゲスト", @@ -3286,6 +3301,7 @@ "SSE.Views.Toolbar.textPageMarginsCustom": "ユーザー設定の余白", "SSE.Views.Toolbar.textPortrait": "縦向き", "SSE.Views.Toolbar.textPrint": "印刷", + "SSE.Views.Toolbar.textPrintGridlines": "枠線の印刷", "SSE.Views.Toolbar.textPrintOptions": "設定の印刷", "SSE.Views.Toolbar.textRight": "右:", "SSE.Views.Toolbar.textRightBorders": "右の罫線", @@ -3364,6 +3380,7 @@ "SSE.Views.Toolbar.tipInsertTable": "テーブルの挿入", "SSE.Views.Toolbar.tipInsertText": "テキストボックスを挿入する", "SSE.Views.Toolbar.tipInsertTextart": "ワードアートの挿入", + "SSE.Views.Toolbar.tipMarkersArrow": "箇条書き(矢印)", "SSE.Views.Toolbar.tipMerge": "結合して、中央に配置する", "SSE.Views.Toolbar.tipNumFormat": "数値の書式", "SSE.Views.Toolbar.tipPageMargins": "余白", @@ -3508,6 +3525,7 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "現在有効になっている表示 '%1'を削除しようとしています。
この表示を閉じて削除しますか?", "SSE.Views.ViewTab.capBtnFreeze": "ウィンドウ枠の固定", "SSE.Views.ViewTab.capBtnSheetView": "シートの表示", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "ツールバーを常に表示する", "SSE.Views.ViewTab.textClose": "閉じる", "SSE.Views.ViewTab.textCreate": "新しい", "SSE.Views.ViewTab.textDefault": "デフォルト", @@ -3528,9 +3546,9 @@ "SSE.Views.WBProtection.hintProtectSheet": "シートを保護する", "SSE.Views.WBProtection.hintProtectWB": "ブックを保護する", "SSE.Views.WBProtection.txtAllowRanges": "範囲の編集を許可する", - "SSE.Views.WBProtection.txtHiddenFormula": "非表示の数式", + "SSE.Views.WBProtection.txtHiddenFormula": "数式を非表示", "SSE.Views.WBProtection.txtLockedCell": "ロックしたセル", - "SSE.Views.WBProtection.txtLockedShape": "形がロックした", + "SSE.Views.WBProtection.txtLockedShape": "図形をロック", "SSE.Views.WBProtection.txtLockedText": "テキストをロックする", "SSE.Views.WBProtection.txtProtectSheet": "シートを保護する", "SSE.Views.WBProtection.txtProtectWB": "ブックを保護する", diff --git a/apps/spreadsheeteditor/main/locale/pl.json b/apps/spreadsheeteditor/main/locale/pl.json index 2717a99d7..f5ab82322 100644 --- a/apps/spreadsheeteditor/main/locale/pl.json +++ b/apps/spreadsheeteditor/main/locale/pl.json @@ -114,6 +114,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": "Bez koloru", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Ukryj 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", @@ -184,6 +185,7 @@ "Common.Views.Comments.textAddComment": "Dodaj komentarz", "Common.Views.Comments.textAddCommentToDoc": "Dodaj komentarz do", "Common.Views.Comments.textAddReply": "Dodaj odpowiedź", + "Common.Views.Comments.textAll": "Wszystko", "Common.Views.Comments.textAnonym": "Gość", "Common.Views.Comments.textCancel": "Anuluj", "Common.Views.Comments.textClose": "Zamknij", @@ -197,6 +199,7 @@ "Common.Views.Comments.textResolve": "Rozwiąż", "Common.Views.Comments.textResolved": "Rozwiązany", "Common.Views.Comments.textSort": "Sortuj komentarze", + "Common.Views.Comments.textViewResolved": "Nie masz uprawnień do ponownego otwarcia komentarza", "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", @@ -364,6 +367,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Otwórz ponownie", "Common.Views.ReviewPopover.textReply": "Odpowiedzieć", "Common.Views.ReviewPopover.textResolve": "Rozwiąż", + "Common.Views.ReviewPopover.textViewResolved": "Nie masz uprawnień do ponownego otwarcia komentarza", "Common.Views.ReviewPopover.txtDeleteTip": "Usuń", "Common.Views.ReviewPopover.txtEditTip": "Edytuj", "Common.Views.SaveAsDlg.textLoading": "Ładowanie", @@ -639,6 +643,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Operacja nie może zostać wykonana, ponieważ obszar zawiera filtrowane komórki.
Proszę ukryj filtrowane elementy i spróbuj ponownie.", "SSE.Controllers.Main.errorBadImageUrl": "Adres URL obrazu jest błędny", "SSE.Controllers.Main.errorCannotUngroup": "Nie można rozgrupować. Aby rozpocząć konspekt, wybierz wiersze lub kolumny szczegółów i zgrupuj je.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "Nie możesz użyć tego polecenia na chronionym arkuszu. Aby użyć tego polecenia, wyłącz ochronę arkusza.
Możesz zostać poproszony o podanie hasła.", "SSE.Controllers.Main.errorChangeArray": "Nie można zmienić części tablicy.", "SSE.Controllers.Main.errorChangeFilteredRange": "Spowoduje to zmianę filtrowanego zakresu w arkuszu.
Aby wykonać to zadanie, usuń Autofiltry.", "SSE.Controllers.Main.errorChangeOnProtectedSheet": "Komórka lub wykres, który próbujesz zmienić, znajduje się w chronionym arkuszu.
Aby wprowadzić zmianę, usuń ochronę arkusza. Możesz zostać poproszony o podanie hasła.", @@ -754,6 +759,8 @@ "SSE.Controllers.Main.textConvertEquation": "To równanie zostało utworzone za pomocą starej wersji edytora równań, która nie jest już obsługiwana. Aby je edytować, przekonwertuj równanie na format Office Math ML.
Przekonwertować teraz?", "SSE.Controllers.Main.textCustomLoader": "Należy pamiętać, że zgodnie z warunkami licencji nie jesteś uprawniony do zmiany ładowania.
W celu uzyskania wyceny prosimy o kontakt z naszym Działem Sprzedaży.", "SSE.Controllers.Main.textDisconnect": "Połączenie zostało utracone", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherHaveData": "Formuła wypełniona tylko pierwszymi wierszami {0} zawiera dane według przyczyny zapisania w pamięci. W tym arkuszu znajdują się inne {1} wiersze zawierające dane. Możesz je wypełnić ręcznie.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherIsEmpty": "Formuła wypełniła tylko pierwsze {0} wierszy według przyczyny zapisania w pamięci. Inne wiersze w tym arkuszu nie zawierają danych.", "SSE.Controllers.Main.textGuest": "Gość", "SSE.Controllers.Main.textHasMacros": "Plik zawiera automatyczne makra.
Czy chcesz uruchomić makra?", "SSE.Controllers.Main.textLearnMore": "Dowiedz się więcej", @@ -1080,6 +1087,7 @@ "SSE.Controllers.Toolbar.textPivot": "Tabela przestawna", "SSE.Controllers.Toolbar.textRadical": "Pierwiastki", "SSE.Controllers.Toolbar.textRating": "Oceny", + "SSE.Controllers.Toolbar.textRecentlyUsed": "Ostatnio używane", "SSE.Controllers.Toolbar.textScript": "Pisma", "SSE.Controllers.Toolbar.textShapes": "Kształty", "SSE.Controllers.Toolbar.textSymbols": "Symbole", @@ -1422,6 +1430,7 @@ "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Separator tysięcy", "SSE.Views.AdvancedSeparatorDialog.textLabel": "Ustawienia używane do rozpoznawania danych liczbowych", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Zaawansowane ustawienia", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(brak)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Niestandardowy filtr", "SSE.Views.AutoFilterDialog.textAddSelection": "Dodaj bieżący wybór do filtrowania", "SSE.Views.AutoFilterDialog.textEmptyItem": "{Puste}", @@ -2236,6 +2245,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Zmiana reguły formatowania", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Nowa reguła formatowania", "SSE.Views.FormatRulesManagerDlg.guestText": "Gość", + "SSE.Views.FormatRulesManagerDlg.lockText": "Zablokowany", "SSE.Views.FormatRulesManagerDlg.text1Above": "Na 1 odchylenie standardowe powyżej średniej", "SSE.Views.FormatRulesManagerDlg.text1Below": "Na 1 odchylenie standardowe poniżej średniej", "SSE.Views.FormatRulesManagerDlg.text2Above": "Na 2 odchylenia standardowe powyżej średniej", @@ -2397,6 +2407,7 @@ "SSE.Views.ImageSettings.textCrop": "Przytnij", "SSE.Views.ImageSettings.textCropFill": "Wypełnij", "SSE.Views.ImageSettings.textCropFit": "Dopasuj", + "SSE.Views.ImageSettings.textCropToShape": "Przytnij do kształtu", "SSE.Views.ImageSettings.textEdit": "Edycja", "SSE.Views.ImageSettings.textEditObject": "Edytuj obiekt", "SSE.Views.ImageSettings.textFlip": "Przerzuć", @@ -2411,6 +2422,7 @@ "SSE.Views.ImageSettings.textInsert": "Zamień obraz", "SSE.Views.ImageSettings.textKeepRatio": "Stałe proporcje", "SSE.Views.ImageSettings.textOriginalSize": "Rzeczywisty rozmiar", + "SSE.Views.ImageSettings.textRecentlyUsed": "Ostatnio używane", "SSE.Views.ImageSettings.textRotate90": "Obróć o 90°", "SSE.Views.ImageSettings.textRotation": "Obróć", "SSE.Views.ImageSettings.textSize": "Rozmiar", @@ -2488,6 +2500,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "Wklej zakres", "SSE.Views.NameManagerDlg.closeButtonText": "Zamknij", "SSE.Views.NameManagerDlg.guestText": "Gość", + "SSE.Views.NameManagerDlg.lockText": "Zablokowany", "SSE.Views.NameManagerDlg.textDataRange": "Zakres danych", "SSE.Views.NameManagerDlg.textDelete": "Usuń", "SSE.Views.NameManagerDlg.textEdit": "Edycja", @@ -2719,6 +2732,25 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "Wybierz zakres", "SSE.Views.PrintTitlesDialog.textTitle": "Wydrukuj tytuły", "SSE.Views.PrintTitlesDialog.textTop": "Powtórz wiersze z góry", + "SSE.Views.PrintWithPreview.txtActualSize": "Rzeczywisty rozmiar", + "SSE.Views.PrintWithPreview.txtAllSheets": "Wszystkie arkusze", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Zastosuj do wszystkich arkuszy", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Obecny arkusz", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Opcje niestandardowe", + "SSE.Views.PrintWithPreview.txtFitPage": "Dopasuj arkusz na jednej stronie", + "SSE.Views.PrintWithPreview.txtLandscape": "Pozioma", + "SSE.Views.PrintWithPreview.txtMargins": "Marginesy", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Orientacja strony", + "SSE.Views.PrintWithPreview.txtPageSize": "Rozmiar strony", + "SSE.Views.PrintWithPreview.txtPortrait": "Pionowa", + "SSE.Views.PrintWithPreview.txtPrint": "Drukuj", + "SSE.Views.PrintWithPreview.txtPrintGrid": "Drukuj siatkę", + "SSE.Views.PrintWithPreview.txtPrintRange": "Zakres wydruku", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Wydrukuj tytuły", + "SSE.Views.PrintWithPreview.txtRepeat": "Powtarzać...", + "SSE.Views.PrintWithPreview.txtSave": "Zapisz", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Ustawienia arkusza", + "SSE.Views.PrintWithPreview.txtSheet": "Arkusz: {0}", "SSE.Views.ProtectDialog.textExistName": "BŁĄD! Zakres o takim tytule już istnieje", "SSE.Views.ProtectDialog.textInvalidName": "Nazwy zakresów muszą zaczynać się od litery i mogą zawierać tylko litery, cyfry i spacje.", "SSE.Views.ProtectDialog.textInvalidRange": "BŁĄD! Niepoprawny zakres komórek", @@ -2753,6 +2785,7 @@ "SSE.Views.ProtectDialog.txtWBDescription": "Aby uniemożliwić innym użytkownikom wyświetlanie ukrytych arkuszy, dodawanie, przenoszenie, usuwanie lub ukrywanie arkuszy oraz zmianę nazwy arkuszy, możesz zabezpieczyć hasłem strukturę skoroszytu.", "SSE.Views.ProtectDialog.txtWBTitle": "Chroń strukturę skoroszytu", "SSE.Views.ProtectRangesDlg.guestText": "Gość", + "SSE.Views.ProtectRangesDlg.lockText": "Zablokowany", "SSE.Views.ProtectRangesDlg.textDelete": "Usuń", "SSE.Views.ProtectRangesDlg.textEdit": "Edytuj", "SSE.Views.ProtectRangesDlg.textEmpty": "Brak zakresów dozwolonych do edycji.", @@ -2832,6 +2865,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "Wzór", "SSE.Views.ShapeSettings.textPosition": "Pozycja", "SSE.Views.ShapeSettings.textRadial": "Promieniowy", + "SSE.Views.ShapeSettings.textRecentlyUsed": "Ostatnio używane", "SSE.Views.ShapeSettings.textRotate90": "Obróć o 90°", "SSE.Views.ShapeSettings.textRotation": "Obróć", "SSE.Views.ShapeSettings.textSelectImage": "Wybierz zdjęcie", @@ -3093,6 +3127,7 @@ "SSE.Views.Statusbar.tipAddTab": "Dodaj arkusz", "SSE.Views.Statusbar.tipFirst": "Przewiń do pierwszego arkusza", "SSE.Views.Statusbar.tipLast": "Przewiń do ostatniego arkusza", + "SSE.Views.Statusbar.tipListOfSheets": "Lista Arkuszy", "SSE.Views.Statusbar.tipNext": "Przesuń listę arkuszy w prawo", "SSE.Views.Statusbar.tipPrev": "Przesuń listę arkuszy w lewo", "SSE.Views.Statusbar.tipZoomFactor": "Powiększenie", @@ -3360,6 +3395,7 @@ "SSE.Views.Toolbar.tipInsertText": "Wstaw pole tekstowe", "SSE.Views.Toolbar.tipInsertTextart": "Wstaw tekst", "SSE.Views.Toolbar.tipMerge": "Scal i wyśrodkuj", + "SSE.Views.Toolbar.tipNone": "Brak", "SSE.Views.Toolbar.tipNumFormat": "Format numeru", "SSE.Views.Toolbar.tipPageMargins": "Marginesy strony", "SSE.Views.Toolbar.tipPageOrient": "Orientacja strony", @@ -3488,6 +3524,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Varp", "SSE.Views.ViewManagerDlg.closeButtonText": "Zamknij", "SSE.Views.ViewManagerDlg.guestText": "Gość", + "SSE.Views.ViewManagerDlg.lockText": "Zablokowany", "SSE.Views.ViewManagerDlg.textDelete": "Usuń", "SSE.Views.ViewManagerDlg.textDuplicate": "Duplikuj", "SSE.Views.ViewManagerDlg.textEmpty": "Widoki nie zostały jeszcze utworzone.", @@ -3504,6 +3541,7 @@ "SSE.Views.ViewTab.capBtnFreeze": "Zablokuj panele", "SSE.Views.ViewTab.capBtnSheetView": "Prezentacja arkusza", "SSE.Views.ViewTab.textClose": "Zamknij", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Połącz arkusze i pasek stanu", "SSE.Views.ViewTab.textCreate": "Nowy", "SSE.Views.ViewTab.textDefault": "Domyślny", "SSE.Views.ViewTab.textFormula": "Pasek formuły", diff --git a/apps/spreadsheeteditor/main/locale/pt.json b/apps/spreadsheeteditor/main/locale/pt.json index 01f84333e..7d75b0e41 100644 --- a/apps/spreadsheeteditor/main/locale/pt.json +++ b/apps/spreadsheeteditor/main/locale/pt.json @@ -310,7 +310,7 @@ "Common.Views.ReviewChanges.strFast": "Rápido", "Common.Views.ReviewChanges.strFastDesc": "Coedição em tempo real. Todas as alterações são salvas automaticamente.", "Common.Views.ReviewChanges.strStrict": "Estrito", - "Common.Views.ReviewChanges.strStrictDesc": "Use o botão 'Salvar' para sincronizar as alterações que você e outras pessoas fazem.", + "Common.Views.ReviewChanges.strStrictDesc": "Use o botão 'Salvar' para sincronizar as alterações que você e outras pessoas fazeram.", "Common.Views.ReviewChanges.tipAcceptCurrent": "Aceitar alteração atual", "Common.Views.ReviewChanges.tipCoAuthMode": "Definir o modo de co-edição", "Common.Views.ReviewChanges.tipCommentRem": "Remover comentários", @@ -344,7 +344,7 @@ "Common.Views.ReviewChanges.txtDocLang": "Idioma", "Common.Views.ReviewChanges.txtFinal": "Todas as alterações aceitas (Visualização)", "Common.Views.ReviewChanges.txtFinalCap": "Final", - "Common.Views.ReviewChanges.txtHistory": "Histórico de Versões", + "Common.Views.ReviewChanges.txtHistory": "Histórico da Versões", "Common.Views.ReviewChanges.txtMarkup": "Todas as alterações (Edição)", "Common.Views.ReviewChanges.txtMarkupCap": "Marcação", "Common.Views.ReviewChanges.txtNext": "Próximo", @@ -569,7 +569,7 @@ "SSE.Controllers.DocumentHolder.txtPasteSourceFormat": "Formatação da fonte", "SSE.Controllers.DocumentHolder.txtPasteTranspose": "Transpor", "SSE.Controllers.DocumentHolder.txtPasteValFormat": "Valor + toda formatação", - "SSE.Controllers.DocumentHolder.txtPasteValNumFormat": "Valor + formato de número", + "SSE.Controllers.DocumentHolder.txtPasteValNumFormat": "Valor + formato do número", "SSE.Controllers.DocumentHolder.txtPasteValues": "Colar apenas valor", "SSE.Controllers.DocumentHolder.txtPercent": "por cento", "SSE.Controllers.DocumentHolder.txtRedoExpansion": "Refazer tabela de expansão automática", @@ -686,7 +686,7 @@ "SSE.Controllers.Main.errorFTChangeTableRangeError": "Não foi possível concluir a operação para o intervalo de células selecionado.
Selecione um intervalo para que a primeira linha da tabela fique na mesma linha
e a tabela resultante se sobreponha à atual.", "SSE.Controllers.Main.errorFTRangeIncludedOtherTables": "Não foi possível concluir 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.errorKeyEncrypt": "Descrição de chave desconhecida", "SSE.Controllers.Main.errorKeyExpire": "Descritor de chave expirado", "SSE.Controllers.Main.errorLabledColumnsPivot": "Para criar uma tabela dinâmica, você deve usar os dados organizados como uma lista com colunas rotuladas.", "SSE.Controllers.Main.errorLoadingFont": "As fontes não foram carregadas.
Entre em contato com o administrador do Document Server.", @@ -949,7 +949,7 @@ "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": "Entrada Proibida", + "SSE.Controllers.Main.txtShape_noSmoking": "Símbolo \"Não\"", "SSE.Controllers.Main.txtShape_notchedRightArrow": "Seta direita entalhada", "SSE.Controllers.Main.txtShape_octagon": "Octógono", "SSE.Controllers.Main.txtShape_parallelogram": "Paralelogramo", @@ -1408,7 +1408,7 @@ "SSE.Controllers.Toolbar.txtSymbol_psi": "Psi", "SSE.Controllers.Toolbar.txtSymbol_qdrt": "Raiz quadrada", "SSE.Controllers.Toolbar.txtSymbol_qed": "Fim da prova", - "SSE.Controllers.Toolbar.txtSymbol_rddots": "Reticências diagonal direitas para cima", + "SSE.Controllers.Toolbar.txtSymbol_rddots": "Reticências diagonal direita para cima", "SSE.Controllers.Toolbar.txtSymbol_rho": "Rô", "SSE.Controllers.Toolbar.txtSymbol_rightarrow": "Seta para direita", "SSE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", @@ -1682,7 +1682,7 @@ "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.textReverse": "Valores em ordem reversa", "SSE.Views.ChartSettingsDlg.textReverseOrder": "Ordem reversa", "SSE.Views.ChartSettingsDlg.textRight": "Direita", "SSE.Views.ChartSettingsDlg.textRightOverlay": "Sobreposição direita", @@ -2021,7 +2021,7 @@ "SSE.Views.FileMenu.btnExitCaption": "Sair", "SSE.Views.FileMenu.btnFileOpenCaption": "Abrir...", "SSE.Views.FileMenu.btnHelpCaption": "Ajuda...", - "SSE.Views.FileMenu.btnHistoryCaption": "Histórico de versão", + "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", @@ -2079,7 +2079,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Tema de interface", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "separador de milhares", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "Unidade de medida", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUseSeparatorsBasedOnRegionalSettings": "Use separadores com base nas configurações regionais", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUseSeparatorsBasedOnRegionalSettings": "Usar separadores com base nas configuraçõ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", @@ -2305,7 +2305,7 @@ "SSE.Views.FormatSettingsDialog.textDecimal": "Decimal", "SSE.Views.FormatSettingsDialog.textFormat": "Formato", "SSE.Views.FormatSettingsDialog.textLinked": "Ligado à fonte", - "SSE.Views.FormatSettingsDialog.textSeparator": "Use separador 1.000", + "SSE.Views.FormatSettingsDialog.textSeparator": "Usar separador 1.000", "SSE.Views.FormatSettingsDialog.textSymbols": "Símbolos", "SSE.Views.FormatSettingsDialog.textTitle": "Formato de número", "SSE.Views.FormatSettingsDialog.txtAccounting": "Contabilidade", @@ -2602,7 +2602,7 @@ "SSE.Views.PivotDigitalFilterDialog.capCondition9": "Termina com", "SSE.Views.PivotDigitalFilterDialog.textShowLabel": "Mostrar itens para os quais o rótulo:", "SSE.Views.PivotDigitalFilterDialog.textShowValue": "Mostrar itens para os quais:", - "SSE.Views.PivotDigitalFilterDialog.textUse1": "Usar ? apresentar qualquer um caracter", + "SSE.Views.PivotDigitalFilterDialog.textUse1": "Usar ? apresentar qualquer um caractere", "SSE.Views.PivotDigitalFilterDialog.textUse2": "Use * para apresentar qualquer série de caracteres", "SSE.Views.PivotDigitalFilterDialog.txtAnd": "E", "SSE.Views.PivotDigitalFilterDialog.txtTitleLabel": "Filtro de rótulos", @@ -2753,6 +2753,7 @@ "SSE.Views.PrintWithPreview.txtCurrentSheet": "Folha atual", "SSE.Views.PrintWithPreview.txtCustom": "Personalizar", "SSE.Views.PrintWithPreview.txtCustomOptions": "Opções personalizadas", + "SSE.Views.PrintWithPreview.txtEmptyTable": "Não há nada para imprimir porque a tabela está vazia", "SSE.Views.PrintWithPreview.txtFitCols": "Ajustar todas as colunas em uma página", "SSE.Views.PrintWithPreview.txtFitPage": "Ajustar folha em uma página", "SSE.Views.PrintWithPreview.txtFitRows": "Ajustar todas as linhas em uma página", @@ -2802,7 +2803,7 @@ "SSE.Views.ProtectDialog.txtObjs": "Editar objetos", "SSE.Views.ProtectDialog.txtOptional": "Opcional", "SSE.Views.ProtectDialog.txtPassword": "Senha", - "SSE.Views.ProtectDialog.txtPivot": "Use Tabela Dinâmica e Gráfico Dinâmico", + "SSE.Views.ProtectDialog.txtPivot": "Usar Tabela Dinâmica e Gráfico Dinâmico", "SSE.Views.ProtectDialog.txtProtect": "Proteger", "SSE.Views.ProtectDialog.txtRange": "Intervalo", "SSE.Views.ProtectDialog.txtRangeName": "Título", @@ -2983,7 +2984,7 @@ "SSE.Views.SlicerAddDialog.textColumns": "Colunas", "SSE.Views.SlicerAddDialog.txtTitle": "Inserir Segmentação de Dados", "SSE.Views.SlicerSettings.strHideNoData": "Ocultar itens sem dados", - "SSE.Views.SlicerSettings.strIndNoData": "Indique visualmente itens sem dados", + "SSE.Views.SlicerSettings.strIndNoData": "Itens indicados visualmente sem dados", "SSE.Views.SlicerSettings.strShowDel": "Mostrar itens excluídos da fonte de dados", "SSE.Views.SlicerSettings.strShowNoData": "Mostrar itens sem dados por último", "SSE.Views.SlicerSettings.strSorting": "Classificação e filtragem", @@ -3011,7 +3012,7 @@ "SSE.Views.SlicerSettingsAdvanced.strColumns": "Colunas", "SSE.Views.SlicerSettingsAdvanced.strHeight": "Altura", "SSE.Views.SlicerSettingsAdvanced.strHideNoData": "Ocultar itens sem dados", - "SSE.Views.SlicerSettingsAdvanced.strIndNoData": "Indique visualmente itens sem dados", + "SSE.Views.SlicerSettingsAdvanced.strIndNoData": "Itens indicados visualmente sem dados", "SSE.Views.SlicerSettingsAdvanced.strReferences": "Referências", "SSE.Views.SlicerSettingsAdvanced.strShowDel": "Mostrar itens excluídos da fonte de dados", "SSE.Views.SlicerSettingsAdvanced.strShowHeader": "Cabeçalho de exibição", @@ -3122,8 +3123,8 @@ "SSE.Views.Spellcheck.txtDictionaryLanguage": "Idioma do dicionário", "SSE.Views.Spellcheck.txtNextTip": "Vá para a próxima palavra", "SSE.Views.Spellcheck.txtSpelling": "Ortografia", - "SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(Copiar para fim)", - "SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(Mover para fim)", + "SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(Copiar para o final)", + "SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(Mover para o final)", "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Copiar antes da folha", "SSE.Views.Statusbar.CopyDialog.textMoveBefore": "Mover antes da folha", "SSE.Views.Statusbar.filteredRecordsText": "{0} de {1} registros filtrados", @@ -3428,6 +3429,14 @@ "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", @@ -3517,7 +3526,7 @@ "SSE.Views.Toolbar.txtTableTemplate": "Formato 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.txtUnmerge": "Desfazer a mesclagem de células", "SSE.Views.Toolbar.txtYen": "¥ Yen", "SSE.Views.Top10FilterDialog.textType": "Exibir", "SSE.Views.Top10FilterDialog.txtBottom": "Inferior", @@ -3566,7 +3575,7 @@ "SSE.Views.ViewManagerDlg.textLongName": "Digite um nome que tenha menos de 128 caracteres.", "SSE.Views.ViewManagerDlg.textNew": "Novo", "SSE.Views.ViewManagerDlg.textRename": "Renomear", - "SSE.Views.ViewManagerDlg.textRenameError": "O nome da vista não deve estar vazio.", + "SSE.Views.ViewManagerDlg.textRenameError": "O nome não deve estar vazio.", "SSE.Views.ViewManagerDlg.textRenameLabel": "Renomear vista", "SSE.Views.ViewManagerDlg.textViews": "Vistas de folha", "SSE.Views.ViewManagerDlg.tipIsLocked": "Este elemento está sendo editado por outro usuário.", diff --git a/apps/spreadsheeteditor/main/locale/ro.json b/apps/spreadsheeteditor/main/locale/ro.json index 8ade11089..067f040c9 100644 --- a/apps/spreadsheeteditor/main/locale/ro.json +++ b/apps/spreadsheeteditor/main/locale/ro.json @@ -114,6 +114,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nou", "Common.UI.ExtendedColorDialog.textRGBErr": "Valoarea introdusă nu este corectă.
Introduceți valoarea numerică de la 0 până la 255.", "Common.UI.HSBColorPicker.textNoColor": "Fără culoare", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Ascunde parola", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Afișează parola", "Common.UI.SearchDialog.textHighlight": "Evidențierea rezultatelor", "Common.UI.SearchDialog.textMatchCase": "Sensibil la litere mari și mici", "Common.UI.SearchDialog.textReplaceDef": "Introduceți textul înlocuitor", @@ -178,12 +180,14 @@ "Common.Views.Comments.mniAuthorDesc": "Autor de la Z la A", "Common.Views.Comments.mniDateAsc": "Cele mai vechi", "Common.Views.Comments.mniDateDesc": "Cele mai recente", + "Common.Views.Comments.mniFilterGroups": "Filtrare după grup", "Common.Views.Comments.mniPositionAsc": "De sus", "Common.Views.Comments.mniPositionDesc": "De jos", "Common.Views.Comments.textAdd": "Adaugă", "Common.Views.Comments.textAddComment": "Adaugă comentariu", "Common.Views.Comments.textAddCommentToDoc": "Adăugare comentariu la document", "Common.Views.Comments.textAddReply": "Adăugare răspuns", + "Common.Views.Comments.textAll": "Toate", "Common.Views.Comments.textAnonym": "Invitat", "Common.Views.Comments.textCancel": "Anulare", "Common.Views.Comments.textClose": "Închidere", @@ -197,6 +201,7 @@ "Common.Views.Comments.textResolve": "Rezolvare", "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.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", @@ -213,7 +218,7 @@ "Common.Views.Header.textBack": "Deschidere locația fișierului", "Common.Views.Header.textCompactView": "Ascundere bară de instrumente", "Common.Views.Header.textHideLines": "Ascundere rigle", - "Common.Views.Header.textHideStatusBar": "Ascundere bară de stare", + "Common.Views.Header.textHideStatusBar": "A îmbina selectorii foii de lucru cu bara de stare", "Common.Views.Header.textRemoveFavorite": "Eliminare din Preferințe", "Common.Views.Header.textSaveBegin": "Salvare în progres...", "Common.Views.Header.textSaveChanged": "Modificat", @@ -364,6 +369,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Deschidere din nou", "Common.Views.ReviewPopover.textReply": "Răspunde", "Common.Views.ReviewPopover.textResolve": "Rezolvare", + "Common.Views.ReviewPopover.textViewResolved": "Dvs. nu aveți permisiunea de a redeschide comentariu", "Common.Views.ReviewPopover.txtDeleteTip": "Ștergere", "Common.Views.ReviewPopover.txtEditTip": "Editare", "Common.Views.SaveAsDlg.textLoading": "Încărcare", @@ -474,6 +480,7 @@ "SSE.Controllers.DocumentHolder.txtAddVer": "Adăugare linia verticală", "SSE.Controllers.DocumentHolder.txtAlignToChar": "Aliniere la caracter", "SSE.Controllers.DocumentHolder.txtAll": "(Toate)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "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 ", "SSE.Controllers.DocumentHolder.txtAnd": "și", "SSE.Controllers.DocumentHolder.txtBegins": "începe cu", "SSE.Controllers.DocumentHolder.txtBelowAve": "Sub medie", @@ -483,6 +490,7 @@ "SSE.Controllers.DocumentHolder.txtColumn": "Coloană", "SSE.Controllers.DocumentHolder.txtColumnAlign": "Alinierea coloanei", "SSE.Controllers.DocumentHolder.txtContains": "conține", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "Returnează celule de date dintr-un tabel sau colonele selectate într-un tabel", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "Reducere argument dimensiune", "SSE.Controllers.DocumentHolder.txtDeleteArg": "Eliminare argument", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "Eliminare întrerupere manuală", @@ -506,6 +514,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Mai mare sau egal", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "Caracter de deasupra textului", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "Caracter sub text", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "Returnează titlurile coloanelor din tabel sau coloanele selectate într-un tabel ", "SSE.Controllers.DocumentHolder.txtHeight": "Înălțime", "SSE.Controllers.DocumentHolder.txtHideBottom": "Ascundere bordură de jos", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Ascundere limită inferioară", @@ -584,7 +593,9 @@ "SSE.Controllers.DocumentHolder.txtSorting": "Sortare", "SSE.Controllers.DocumentHolder.txtSortSelected": "Sortarea selecției", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Întindere paranteze", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "Numai acest rând din coloana selectată", "SSE.Controllers.DocumentHolder.txtTop": "Sus", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "Returnează rândurile de totaluri dintr-un tabel sau coloanele selectate într-un tabel", "SSE.Controllers.DocumentHolder.txtUnderbar": "Bară dedesubt textului", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Anulare extindere automată a tabelului ", "SSE.Controllers.DocumentHolder.txtUseTextImport": "Utilizați expertul import text", @@ -639,6 +650,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Operațiunea nu poate fi efectuată deoarece zonă conține celule filtrate.
Reafișați elementele filtrate și încercați din nou.", "SSE.Controllers.Main.errorBadImageUrl": "URL-ul imaginii incorectă", "SSE.Controllers.Main.errorCannotUngroup": "Imposibil de anulat grupare. Pentru a crea o schiță, selectați rândurile sau coloanele de detalii și le grupați.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "Nu puteți folosi această comandă într-o foaie de calcul protejată. Ca să o folosiți, protejarea foii trebuie anulată.
Introducerea parolei poate fi necesară.", "SSE.Controllers.Main.errorChangeArray": "Nu puteți modifica parte dintr-o matrice.", "SSE.Controllers.Main.errorChangeFilteredRange": "Operațiunea va afecta zonă filtrată din foaia de calcul.
Pentru a termina operațiunea dezactivați filtrarea automată. ", "SSE.Controllers.Main.errorChangeOnProtectedSheet": "Celula sau diagrama pe care încercați să schimbați este din foaia de calcul protejată
Dezactivați protejarea foii de calcul.Este posibil să fie necesară introducerea parolei.", @@ -769,6 +781,7 @@ "SSE.Controllers.Main.textNoLicenseTitle": "Ați atins limita stabilită de licență", "SSE.Controllers.Main.textPaidFeature": "Funcția contra plată", "SSE.Controllers.Main.textPleaseWait": "Operațiunea durează mai mult decât s-a anticipat. Vă rugăm să așteptați...", + "SSE.Controllers.Main.textReconnect": "Conexiunea este restabilită", "SSE.Controllers.Main.textRemember": "Salvează setările pentru toate fișiere", "SSE.Controllers.Main.textRenameError": "Numele utilizatorului trebuie comletat.", "SSE.Controllers.Main.textRenameLabel": "Introduceți numele pentru lucrul în colaborare", @@ -1060,6 +1073,7 @@ "SSE.Controllers.Statusbar.errorLastSheet": "În registrul de calcul trebuie să fie vizibilă cel puțin o foie de lucru. ", "SSE.Controllers.Statusbar.errorRemoveSheet": "Imposibil de șters foaia de calcul.", "SSE.Controllers.Statusbar.strSheet": "Foaie", + "SSE.Controllers.Statusbar.textDisconnect": "Conexiunea a fost pierdută
Încercare de conectare. Verificați setările conexiunii.", "SSE.Controllers.Statusbar.textSheetViewTip": "Sunteți în modul de vizualizare foi. Filtre și sortare sunt vizibile numai de către dvs. și alți utilizatori care sunt în vizualizarea dată în acest moment.", "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Sunteți în modul de Afișare foaie. Criteriile de filtrare sunt vizibile numai pentru dumneavoastră și altor persoane în afișare.", "SSE.Controllers.Statusbar.warnDeleteSheet": "Foile de calcul selectate pot conține datele. Sigur doriți să continuați?", @@ -1085,6 +1099,7 @@ "SSE.Controllers.Toolbar.textPivot": "Tabelă Pivot", "SSE.Controllers.Toolbar.textRadical": "Radicale", "SSE.Controllers.Toolbar.textRating": "Evaluări", + "SSE.Controllers.Toolbar.textRecentlyUsed": "Utilizate recent", "SSE.Controllers.Toolbar.textScript": "Scripturile", "SSE.Controllers.Toolbar.textShapes": "Forme", "SSE.Controllers.Toolbar.textSymbols": "Simboluri", @@ -1426,7 +1441,9 @@ "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Separator zecimal", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Separator mii", "SSE.Views.AdvancedSeparatorDialog.textLabel": "Setări pentru recunoașterea modelelor numerice", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "Calificator text", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Setări avansate", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(niciunul)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Filtru particularizat", "SSE.Views.AutoFilterDialog.textAddSelection": "Se adaugă selecția curentă la filtru", "SSE.Views.AutoFilterDialog.textEmptyItem": "{Necompletate}", @@ -1872,6 +1889,7 @@ "SSE.Views.DocumentHolder.textCrop": "Trunchiere", "SSE.Views.DocumentHolder.textCropFill": "Umplere", "SSE.Views.DocumentHolder.textCropFit": "Potrivire", + "SSE.Views.DocumentHolder.textEditPoints": "Editare puncte", "SSE.Views.DocumentHolder.textEntriesList": "Alege din listă verticală", "SSE.Views.DocumentHolder.textFlipH": "Răsturnare orizontală", "SSE.Views.DocumentHolder.textFlipV": "Răsturnare verticală", @@ -2241,6 +2259,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Editare regulă de formatare", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Nouă regulă de formatare", "SSE.Views.FormatRulesManagerDlg.guestText": "Invitat", + "SSE.Views.FormatRulesManagerDlg.lockText": "Blocat", "SSE.Views.FormatRulesManagerDlg.text1Above": "1 abatere standard deasupra medie", "SSE.Views.FormatRulesManagerDlg.text1Below": "1 abatere standard sub medie", "SSE.Views.FormatRulesManagerDlg.text2Above": "2 abateri standard deasupra medie", @@ -2402,6 +2421,7 @@ "SSE.Views.ImageSettings.textCrop": "Trunchiere", "SSE.Views.ImageSettings.textCropFill": "Umplere", "SSE.Views.ImageSettings.textCropFit": "Potrivire", + "SSE.Views.ImageSettings.textCropToShape": "Trunchiere la formă", "SSE.Views.ImageSettings.textEdit": "Editare", "SSE.Views.ImageSettings.textEditObject": "Editare obiect", "SSE.Views.ImageSettings.textFlip": "Răsturnare", @@ -2416,6 +2436,7 @@ "SSE.Views.ImageSettings.textInsert": "Înlocuire imagine", "SSE.Views.ImageSettings.textKeepRatio": "Dimensiuni constante", "SSE.Views.ImageSettings.textOriginalSize": "Dimensiunea reală", + "SSE.Views.ImageSettings.textRecentlyUsed": "Utilizate recent", "SSE.Views.ImageSettings.textRotate90": "Rotire 90°", "SSE.Views.ImageSettings.textRotation": "Rotație", "SSE.Views.ImageSettings.textSize": "Dimensiune", @@ -2493,6 +2514,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "Lipire nume", "SSE.Views.NameManagerDlg.closeButtonText": "Închidere", "SSE.Views.NameManagerDlg.guestText": "Invitat", + "SSE.Views.NameManagerDlg.lockText": "Blocat", "SSE.Views.NameManagerDlg.textDataRange": "Zonă de date", "SSE.Views.NameManagerDlg.textDelete": "Ștergere", "SSE.Views.NameManagerDlg.textEdit": "Editare", @@ -2724,6 +2746,44 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "Selectați zonă", "SSE.Views.PrintTitlesDialog.textTitle": "Imprimare titluri", "SSE.Views.PrintTitlesDialog.textTop": "Rânduri de repetat la început", + "SSE.Views.PrintWithPreview.txtActualSize": "Dimensiunea reală", + "SSE.Views.PrintWithPreview.txtAllSheets": "Toate foile", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Se aplică la toate foile", + "SSE.Views.PrintWithPreview.txtBottom": "Jos", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Foaie curentă", + "SSE.Views.PrintWithPreview.txtCustom": "Particularizat", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Opțiuni particularizate", + "SSE.Views.PrintWithPreview.txtEmptyTable": "Nu s-a găsit nimic de tipărit deoarece tabelul este necompletat", + "SSE.Views.PrintWithPreview.txtFitCols": "Se potrivesc toate coloanele pe o singură pagină", + "SSE.Views.PrintWithPreview.txtFitPage": "Se potrivește foaia pe o singură pagină", + "SSE.Views.PrintWithPreview.txtFitRows": "Se potrivesc toate rândurile pe o pagină", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Linii de grilă și titluri", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Setări antet/subsol", + "SSE.Views.PrintWithPreview.txtIgnore": "Ignorare zonă de imprimare", + "SSE.Views.PrintWithPreview.txtLandscape": "Vedere", + "SSE.Views.PrintWithPreview.txtLeft": "Stânga", + "SSE.Views.PrintWithPreview.txtMargins": "Margini", + "SSE.Views.PrintWithPreview.txtOf": "din {0}", + "SSE.Views.PrintWithPreview.txtPage": "Pagina", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "Număr de pagină nevalid", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Orientare pagină", + "SSE.Views.PrintWithPreview.txtPageSize": "Dimensiune pagină", + "SSE.Views.PrintWithPreview.txtPortrait": "Portret", + "SSE.Views.PrintWithPreview.txtPrint": "Imprimare", + "SSE.Views.PrintWithPreview.txtPrintGrid": "Imprimare linii de grilă", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "Imprimare titluri rânduri și coloane", + "SSE.Views.PrintWithPreview.txtPrintRange": "Imprimare zonă", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Imprimare titluri", + "SSE.Views.PrintWithPreview.txtRepeat": "Repetare...", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "Coloane de repetat la stânga", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "Rânduri de repetat la început", + "SSE.Views.PrintWithPreview.txtRight": "Dreapta", + "SSE.Views.PrintWithPreview.txtSave": "Salvează", + "SSE.Views.PrintWithPreview.txtScaling": "Scalare", + "SSE.Views.PrintWithPreview.txtSelection": "Selecție", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Paramatrii foii", + "SSE.Views.PrintWithPreview.txtSheet": "Foaia: {0}", + "SSE.Views.PrintWithPreview.txtTop": "Sus", "SSE.Views.ProtectDialog.textExistName": "EROARE! Titlul de zonă există deja", "SSE.Views.ProtectDialog.textInvalidName": "Titlul zonei trebuie să înceapă cu o literă și poate conține numai litere, cifre și spații.", "SSE.Views.ProtectDialog.textInvalidRange": "EROARE! Zonă de celule nu este validă", @@ -2758,6 +2818,7 @@ "SSE.Views.ProtectDialog.txtWBDescription": "Puteți proteja structura registrului de calcul prin parolă pentru împiedicarea utilizatorilor de a vizualiza registrele de calcul mascate, de a adăuga, deplasa, șterge, masca și redenumi registrele de calcul. ", "SSE.Views.ProtectDialog.txtWBTitle": "Protejarea structurei registrului de calcul", "SSE.Views.ProtectRangesDlg.guestText": "Invitat", + "SSE.Views.ProtectRangesDlg.lockText": "Blocat", "SSE.Views.ProtectRangesDlg.textDelete": "Ștergere", "SSE.Views.ProtectRangesDlg.textEdit": "Editare", "SSE.Views.ProtectRangesDlg.textEmpty": "Zonele permise pentru editare nu sunt", @@ -2837,6 +2898,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "Model", "SSE.Views.ShapeSettings.textPosition": "Poziție", "SSE.Views.ShapeSettings.textRadial": "Radială", + "SSE.Views.ShapeSettings.textRecentlyUsed": "Utilizate recent", "SSE.Views.ShapeSettings.textRotate90": "Rotire 90°", "SSE.Views.ShapeSettings.textRotation": "Rotație", "SSE.Views.ShapeSettings.textSelectImage": "Selectați imaginea", @@ -3076,7 +3138,7 @@ "SSE.Views.Statusbar.itemInsert": "Inserare", "SSE.Views.Statusbar.itemMaximum": "Maxim", "SSE.Views.Statusbar.itemMinimum": "Minim", - "SSE.Views.Statusbar.itemMove": "Mută", + "SSE.Views.Statusbar.itemMove": "Mutare", "SSE.Views.Statusbar.itemProtect": "Protejare", "SSE.Views.Statusbar.itemRename": "Redenumire", "SSE.Views.Statusbar.itemStatus": "Statutul de salvare", @@ -3098,6 +3160,7 @@ "SSE.Views.Statusbar.tipAddTab": "Adăugare foaie de calcul", "SSE.Views.Statusbar.tipFirst": "Defilare la prima foie", "SSE.Views.Statusbar.tipLast": "Defilare la ultima foaie", + "SSE.Views.Statusbar.tipListOfSheets": "Lista foilor de calcul", "SSE.Views.Statusbar.tipNext": "Defilare printr-o foaie din dreapta", "SSE.Views.Statusbar.tipPrev": "Defilare printr-o foaie din stânga", "SSE.Views.Statusbar.tipZoomFactor": "Zoom", @@ -3205,7 +3268,7 @@ "SSE.Views.Toolbar.capBtnAddComment": "Adaugă comentariu", "SSE.Views.Toolbar.capBtnColorSchemas": "Schemă de culori", "SSE.Views.Toolbar.capBtnComment": "Comentariu", - "SSE.Views.Toolbar.capBtnInsHeader": "Antet/Subsol", + "SSE.Views.Toolbar.capBtnInsHeader": "Antet și subsol", "SSE.Views.Toolbar.capBtnInsSlicer": "Slicer", "SSE.Views.Toolbar.capBtnInsSymbol": "Simbol", "SSE.Views.Toolbar.capBtnMargins": "Margini", @@ -3286,6 +3349,8 @@ "SSE.Views.Toolbar.textPageMarginsCustom": "Margini particularizate", "SSE.Views.Toolbar.textPortrait": "Portret", "SSE.Views.Toolbar.textPrint": "Imprimare", + "SSE.Views.Toolbar.textPrintGridlines": "Imprimare linii de grilă", + "SSE.Views.Toolbar.textPrintHeadings": "Imprimare titluri", "SSE.Views.Toolbar.textPrintOptions": "Imprimare setări", "SSE.Views.Toolbar.textRight": "Dreapta:", "SSE.Views.Toolbar.textRightBorders": "Borduri dun dreapta", @@ -3364,7 +3429,16 @@ "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", "SSE.Views.Toolbar.tipPageMargins": "Margini de pagină", "SSE.Views.Toolbar.tipPageOrient": "Orientare pagină", @@ -3493,6 +3567,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Varp", "SSE.Views.ViewManagerDlg.closeButtonText": "Închidere", "SSE.Views.ViewManagerDlg.guestText": "Invitat", + "SSE.Views.ViewManagerDlg.lockText": "Blocat", "SSE.Views.ViewManagerDlg.textDelete": "Ștergere", "SSE.Views.ViewManagerDlg.textDuplicate": "Dubluri", "SSE.Views.ViewManagerDlg.textEmpty": "Nicio vizualizare nu a fost creată până când.", @@ -3508,7 +3583,9 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "Dvs. încercați să ștergeți o vizualizare activă pentru moment '%1'.
Doriți să o închideți și să o ștergeți?", "SSE.Views.ViewTab.capBtnFreeze": "Înghețare panouri", "SSE.Views.ViewTab.capBtnSheetView": "Vizualizare de foaie", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "Afișează bară de instrumente permanent", "SSE.Views.ViewTab.textClose": "Închidere", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "A îmbina selectorii foii de lucru cu bara de stare", "SSE.Views.ViewTab.textCreate": "Nou", "SSE.Views.ViewTab.textDefault": "Implicit", "SSE.Views.ViewTab.textFormula": "Bara de formule", @@ -3516,7 +3593,9 @@ "SSE.Views.ViewTab.textFreezeRow": "Înghețarea rândului de sus", "SSE.Views.ViewTab.textGridlines": "Linii de grilă", "SSE.Views.ViewTab.textHeadings": "Titluri", + "SSE.Views.ViewTab.textInterfaceTheme": "Tema interfeței", "SSE.Views.ViewTab.textManager": "Manager vizualizări", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "Afișare umbră pentru panouri înghețate", "SSE.Views.ViewTab.textUnFreeze": "Dezghețare panouri", "SSE.Views.ViewTab.textZeros": "Afișare un zero", "SSE.Views.ViewTab.textZoom": "Zoom", diff --git a/apps/spreadsheeteditor/main/locale/ru.json b/apps/spreadsheeteditor/main/locale/ru.json index 9a05dd48c..f2712e4e4 100644 --- a/apps/spreadsheeteditor/main/locale/ru.json +++ b/apps/spreadsheeteditor/main/locale/ru.json @@ -180,12 +180,14 @@ "Common.Views.Comments.mniAuthorDesc": "По автору от Я до А", "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": "Закрыть", @@ -199,6 +201,7 @@ "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": "Операции копирования, вырезания и вставки", @@ -366,6 +369,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": "Загрузка", @@ -476,6 +480,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": "Ниже среднего", @@ -485,6 +490,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": "Удалить принудительный разрыв", @@ -508,6 +514,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": "Скрыть нижний предел", @@ -586,7 +593,9 @@ "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": "Использовать мастер импорта текста", @@ -641,6 +650,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": "Ячейка или диаграмма, которую вы пытаетесь изменить, находится на защищенном листе.
Чтобы внести изменения, снимите защиту листа. Возможно, потребуется ввести пароль.", @@ -771,6 +781,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": "Введите имя, которое будет использоваться для совместной работы", @@ -1062,6 +1073,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": "Выбранный рабочий лист может содержать данные. Вы действительно хотите продолжить?", @@ -1429,6 +1441,7 @@ "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": "Пользовательский", @@ -1876,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": "Отразить сверху вниз", @@ -2245,6 +2259,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 стандартных отклонения выше среднего", @@ -2406,6 +2421,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": "Отразить", @@ -2498,6 +2514,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": "Изменить", @@ -2731,21 +2748,42 @@ "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": "ОШИБКА! Недопустимый диапазон ячеек", @@ -2780,6 +2818,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": "Нет диапазонов, разрешенных для редактирования.", @@ -3121,6 +3160,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": "Масштаб", @@ -3389,7 +3429,16 @@ "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": "Числовой формат", "SSE.Views.Toolbar.tipPageMargins": "Поля страницы", "SSE.Views.Toolbar.tipPageOrient": "Ориентация страницы", @@ -3518,6 +3567,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": "Представления еще не созданы.", @@ -3533,6 +3583,7 @@ "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": "Новое", diff --git a/apps/spreadsheeteditor/main/locale/sv.json b/apps/spreadsheeteditor/main/locale/sv.json index 6730f29be..e8c15e1e1 100644 --- a/apps/spreadsheeteditor/main/locale/sv.json +++ b/apps/spreadsheeteditor/main/locale/sv.json @@ -2,6 +2,7 @@ "cancelButtonText": "Avbryt", "Common.Controllers.Chat.notcriticalErrorTitle": "Varning", "Common.Controllers.Chat.textEnterMessage": "Skriv ditt meddelande här", + "Common.Controllers.History.notcriticalErrorTitle": "Varning", "Common.define.chartData.textArea": "Område", "Common.define.chartData.textAreaStacked": "Staplad yta", "Common.define.chartData.textAreaStackedPer": "100% staplat område", @@ -99,9 +100,11 @@ "Common.define.conditionalData.textUnique": "Unik", "Common.define.conditionalData.textValue": "Värdet är", "Common.define.conditionalData.textYesterday": "Igår", - "Common.Translation.warnFileLocked": "Dokumentet används av ett annat program. Du kan fortsätta redigera och spara den som en kopia.", + "Common.Translation.warnFileLocked": "Dokumentet redigeras i en annan applikation. Du kan fortsätta redigera och spara det som en kopia.", "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.ComboBorderSize.txtNoBorders": "Inga ramar", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Inga ramar", "Common.UI.ComboDataView.emptyComboText": "Inga stilar", @@ -111,6 +114,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Ny", "Common.UI.ExtendedColorDialog.textRGBErr": "Det angivna värdet är inkorrekt.
Vänligen ange ett numeriskt värde mellan 0 och 255", "Common.UI.HSBColorPicker.textNoColor": "Ingen färg", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Dölj lösenord", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Visa lösenord", "Common.UI.SearchDialog.textHighlight": "Markera resultat", "Common.UI.SearchDialog.textMatchCase": "Skiftlägeskänslig", "Common.UI.SearchDialog.textReplaceDef": "Ange ersättningstext", @@ -171,13 +176,22 @@ "Common.Views.AutoCorrectDialog.warnReset": "All autokorrigering som du lagt till kommer att tas bort och ändringar kommer att återställas till sina ursprungliga värden. Vill du fortsätta?", "Common.Views.AutoCorrectDialog.warnRestore": "Autokorrigeringen för %1 återställs till sitt ursprungliga värde. Vill du fortsätta?", "Common.Views.Chat.textSend": "Skicka", + "Common.Views.Comments.mniAuthorAsc": "Författare A till Ö", + "Common.Views.Comments.mniAuthorDesc": "Författare Ö till A", + "Common.Views.Comments.mniDateAsc": "Äldsta", + "Common.Views.Comments.mniDateDesc": "Nyaste", + "Common.Views.Comments.mniFilterGroups": "Filtrera via grupp", + "Common.Views.Comments.mniPositionAsc": "Från ovankant", + "Common.Views.Comments.mniPositionDesc": "Från nederkant", "Common.Views.Comments.textAdd": "Lägg till", "Common.Views.Comments.textAddComment": "Lägg till kommentar", "Common.Views.Comments.textAddCommentToDoc": "Lägg till kommentar till dokumentet", "Common.Views.Comments.textAddReply": "Lägg till svar", + "Common.Views.Comments.textAll": "Alla", "Common.Views.Comments.textAnonym": "Gäst", "Common.Views.Comments.textCancel": "Avbryt", "Common.Views.Comments.textClose": "Stäng", + "Common.Views.Comments.textClosePanel": "Stäng kommentarer", "Common.Views.Comments.textComments": "Kommentarer", "Common.Views.Comments.textEdit": "OK", "Common.Views.Comments.textEnterCommentHint": "Skriv din kommentar här", @@ -186,6 +200,8 @@ "Common.Views.Comments.textReply": "Svara", "Common.Views.Comments.textResolve": "Lös", "Common.Views.Comments.textResolved": "Löst", + "Common.Views.Comments.textSort": "Sortera kommentarer", + "Common.Views.Comments.textViewResolved": "Du har inte behörighet att öppna kommentaren igen", "Common.Views.CopyWarningDialog.textDontShow": "Visa inte detta meddelande igen", "Common.Views.CopyWarningDialog.textMsg": "Kopiera, klipp ut och klistra in -åtgärder med redigeringsknapparna i verktygsfältet och snabbmenyn kommer endast att utföras inom denna flik.
För att kopiera eller klistra in från applikationer utanför fliken, använd följande kortkommandon:", "Common.Views.CopyWarningDialog.textTitle": "Kopiera, klipp ut och klistra in åtgärder", @@ -196,13 +212,13 @@ "Common.Views.DocumentAccessDialog.textTitle": "Delningsinställningar", "Common.Views.EditNameDialog.textLabel": "Etikett:", "Common.Views.EditNameDialog.textLabelError": "Etiketten får inte vara tom.", - "Common.Views.Header.labelCoUsersDescr": "Dokumentet redigeras för närvarande av flera användare.", + "Common.Views.Header.labelCoUsersDescr": "Användare som redigera filen:", "Common.Views.Header.textAddFavorite": "Markera som favorit", "Common.Views.Header.textAdvSettings": "Avancerade inställningar", - "Common.Views.Header.textBack": "Gå till dokument", + "Common.Views.Header.textBack": "Öppna filens plats", "Common.Views.Header.textCompactView": "Dölj verktygsrad", "Common.Views.Header.textHideLines": "Dölj linjaler", - "Common.Views.Header.textHideStatusBar": "Dölj statusrad", + "Common.Views.Header.textHideStatusBar": "Kombinera kalkylblad och statusfält", "Common.Views.Header.textRemoveFavorite": "Ta bort från favoriter", "Common.Views.Header.textSaveBegin": "Sparar...", "Common.Views.Header.textSaveChanged": "Ändrad", @@ -221,6 +237,13 @@ "Common.Views.Header.tipViewUsers": "Visa användare och hantera dokumentbehörigheter", "Common.Views.Header.txtAccessRights": "Ändra behörigheter", "Common.Views.Header.txtRename": "Döp om", + "Common.Views.History.textCloseHistory": "Stäng historik", + "Common.Views.History.textHide": "Dra ihop", + "Common.Views.History.textHideAll": "Dölj detaljerade ändringar", + "Common.Views.History.textRestore": "Återställ", + "Common.Views.History.textShow": "Expandera", + "Common.Views.History.textShowAll": "Visa detaljerade ändringar", + "Common.Views.History.textVer": "ver.", "Common.Views.ImageFromUrlDialog.textUrl": "Klistra in en bilds URL:", "Common.Views.ImageFromUrlDialog.txtEmpty": "Detta fält är obligatoriskt", "Common.Views.ImageFromUrlDialog.txtNotUrl": "Detta fält bör vara en URL i formatet \"http://www.example.com\"", @@ -346,6 +369,9 @@ "Common.Views.ReviewPopover.textOpenAgain": "Öppna igen", "Common.Views.ReviewPopover.textReply": "Svara", "Common.Views.ReviewPopover.textResolve": "Lös", + "Common.Views.ReviewPopover.textViewResolved": "Du har inte behörighet att öppna kommentaren igen", + "Common.Views.ReviewPopover.txtDeleteTip": "Radera", + "Common.Views.ReviewPopover.txtEditTip": "Redigera", "Common.Views.SaveAsDlg.textLoading": "Laddar", "Common.Views.SaveAsDlg.textTitle": "Mapp att spara i", "Common.Views.SelectFileDlg.textLoading": "Laddar", @@ -435,7 +461,7 @@ "SSE.Controllers.DocumentHolder.textAutoCorrectSettings": "Inställningar autokorrigering", "SSE.Controllers.DocumentHolder.textChangeColumnWidth": "Kolumnbredd {0} symboler ({1} pixlar)", "SSE.Controllers.DocumentHolder.textChangeRowHeight": "Radhöjd {0} punkter ({1} pixlar)", - "SSE.Controllers.DocumentHolder.textCtrlClick": "Tryck CTRL och klicka på länken", + "SSE.Controllers.DocumentHolder.textCtrlClick": "Klicka på länken för att öppna den eller klicka och håll ner musknappen för att välja cellen.", "SSE.Controllers.DocumentHolder.textInsertLeft": "Infoga vänster", "SSE.Controllers.DocumentHolder.textInsertTop": "Infoga topp", "SSE.Controllers.DocumentHolder.textPasteSpecial": "Klistra in special", @@ -454,6 +480,7 @@ "SSE.Controllers.DocumentHolder.txtAddVer": "Lägg till horisontell linje", "SSE.Controllers.DocumentHolder.txtAlignToChar": "Justera bredvid tecken", "SSE.Controllers.DocumentHolder.txtAll": "(Allt)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "Returnerar hela tabellens innehåll eller de angivna tabellkolumnerna inklusive kolumnrubriker, data och det totala antalet rader", "SSE.Controllers.DocumentHolder.txtAnd": "och", "SSE.Controllers.DocumentHolder.txtBegins": "Börjar med", "SSE.Controllers.DocumentHolder.txtBelowAve": "Under medel", @@ -463,6 +490,7 @@ "SSE.Controllers.DocumentHolder.txtColumn": "Kolumn", "SSE.Controllers.DocumentHolder.txtColumnAlign": "Kolumnjustering", "SSE.Controllers.DocumentHolder.txtContains": "Innehåller", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "Returnerar datacellerna i tabellen eller specificerade tabellkolumnerna", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "Minska argumentstorlek", "SSE.Controllers.DocumentHolder.txtDeleteArg": "Radera argument", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "Radera manuell brytning", @@ -486,6 +514,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Större än eller lika med", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "Char över text", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "Char under text", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "Returnerar kolumnrubrikerna i tabellen eller specificerade tabellkolumner", "SSE.Controllers.DocumentHolder.txtHeight": "Höjd", "SSE.Controllers.DocumentHolder.txtHideBottom": "Dölj nedre ramen", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Dölj nedre gränsen", @@ -515,6 +544,7 @@ "SSE.Controllers.DocumentHolder.txtLimitChange": "Ändra gränsens plats", "SSE.Controllers.DocumentHolder.txtLimitOver": "Begränsa över text", "SSE.Controllers.DocumentHolder.txtLimitUnder": "Begränsa under text", + "SSE.Controllers.DocumentHolder.txtLockSort": "Data finns bredvid ditt val men du har inte tillräckliga behörigheter för att ändra dessa celler.
Vill du fortsätta med nuvarande val?", "SSE.Controllers.DocumentHolder.txtMatchBrackets": "Matcha parenteser till argumentets höjd", "SSE.Controllers.DocumentHolder.txtMatrixAlign": "Matrisjustering", "SSE.Controllers.DocumentHolder.txtNoChoices": "Det finns inga val för att fylla cellen.
Endast textvärden från kolumnen kan väljas för ersättning.", @@ -547,6 +577,7 @@ "SSE.Controllers.DocumentHolder.txtRemLimit": "Ta bort begränsning", "SSE.Controllers.DocumentHolder.txtRemoveAccentChar": "Ta bort tecken med accenter", "SSE.Controllers.DocumentHolder.txtRemoveBar": "Ta bort linje", + "SSE.Controllers.DocumentHolder.txtRemoveWarning": "Vill du ta bort den här signaturen?
Åtgärden kan inte ångras.", "SSE.Controllers.DocumentHolder.txtRemScripts": "Ta bort script", "SSE.Controllers.DocumentHolder.txtRemSubscript": "Ta bort nedsänkt", "SSE.Controllers.DocumentHolder.txtRemSuperscript": "Ta bort upphöjt", @@ -562,10 +593,13 @@ "SSE.Controllers.DocumentHolder.txtSorting": "Sorterar", "SSE.Controllers.DocumentHolder.txtSortSelected": "Sortering vald", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Sträck paranteser", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "Välj endast denna raden i den angiven kolumnen", "SSE.Controllers.DocumentHolder.txtTop": "Överst", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "Returnerar det totala antalet rader för tabellen eller för de angivna kolumnerna", "SSE.Controllers.DocumentHolder.txtUnderbar": "Linje under text", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Ångra automatisk tabellexpansion", "SSE.Controllers.DocumentHolder.txtUseTextImport": "Använd guiden för textimport", + "SSE.Controllers.DocumentHolder.txtWarnUrl": "Att klicka på denna länk kan skada din utrustning och dess innehåll.
Är du säker på att du vill fortsätta?", "SSE.Controllers.DocumentHolder.txtWidth": "Bredd", "SSE.Controllers.FormulaDialog.sCategoryAll": "Alla", "SSE.Controllers.FormulaDialog.sCategoryCube": "Kub", @@ -585,6 +619,7 @@ "SSE.Controllers.LeftMenu.textByRows": "Av rader", "SSE.Controllers.LeftMenu.textFormulas": "Formler", "SSE.Controllers.LeftMenu.textItemEntireCell": "Hela innehållet i cellen", + "SSE.Controllers.LeftMenu.textLoadHistory": "Laddar versionshistorik...", "SSE.Controllers.LeftMenu.textLookin": "Sök i", "SSE.Controllers.LeftMenu.textNoTextFound": "De data som du har letat efter kunde inte hittas. Ändra dina sökalternativ.", "SSE.Controllers.LeftMenu.textReplaceSkipped": "Ersättningen har gjorts. {0} händelser hoppades över.", @@ -615,8 +650,10 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Åtgärden kan inte utföras eftersom området innehåller filtrerade celler.
Ta bort de filtrerade elementen och försök igen.", "SSE.Controllers.Main.errorBadImageUrl": "Bildens URL är felaktig", "SSE.Controllers.Main.errorCannotUngroup": "Det går inte att gruppera. För att starta en kontur, välj detaljrader eller kolumner och gruppera dem.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "Du kan inte använda detta kommando i ett skyddat kalkylblad. För att använda detta kommando så måste först kalkylbladet låsas upp.
Du kan behöva ange ett lösenord för detta.", "SSE.Controllers.Main.errorChangeArray": "Du kan inte ändra en del av en matris.", "SSE.Controllers.Main.errorChangeFilteredRange": "Detta ändrar ett filtrerat intervall i kalkylbladet.
Ta bort automatiska filter för att slutföra uppgiften.", + "SSE.Controllers.Main.errorChangeOnProtectedSheet": "Cellen eller tabellen du försöker ändra tillhör ett skyddat kalkylblad.
För att göra en ändring ta då bort kalkylbladets skydd. Du kan komma att behöva ange ett lösenord.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Serveranslutning förlorade. Dokumentet kan inte redigeras just nu.", "SSE.Controllers.Main.errorConnectToServer": "Dokumentet kunde inte sparas. . Kontrollera anslutningsinställningarna eller kontakta administratören
När du klickar på \"OK\" -knappen, kommer du att bli ombedd att ladda ner dokumentet.", "SSE.Controllers.Main.errorCopyMultiselectArea": "Det här kommandot kan inte användas med flera val.
Välj ett enda område och försök igen.", @@ -628,6 +665,8 @@ "SSE.Controllers.Main.errorDataRange": "Felaktig dataomfång", "SSE.Controllers.Main.errorDataValidate": "Värdet du angav är inte giltigt.
En användare har begränsade värden som kan matas in i den här cellen.", "SSE.Controllers.Main.errorDefaultMessage": "Felkod: %1", + "SSE.Controllers.Main.errorDeleteColumnContainsLockedCell": "Du försöker radera en kolumn som innehåller en låst cell. Låsta celler kan inte raderas när arbetsboken är skyddad.
För att radera en låst cell så måste först kalkylbladet låsas upp. Du kan behöva ange ett lösenord för detta.", + "SSE.Controllers.Main.errorDeleteRowContainsLockedCell": "Du försöker radera en rad som innehåller en låst cell. Låsta celler kan inte raderas när arbetsboken är skyddad.
För att radera en låst cell så måste först kalkylbladet låsas upp. Du kan behöva ange ett lösenord för detta.", "SSE.Controllers.Main.errorEditingDownloadas": "Ett fel har inträffat.
Använd \"Ladda ned som...\" för att spara en säkerhetskopia på din dator.", "SSE.Controllers.Main.errorEditingSaveas": "Ett fel har inträffat.
Använd \"Ladda ned som...\" för att spara en säkerhetskopia på din dator.", "SSE.Controllers.Main.errorEditView": "Den befintliga vyn kan inte redigeras och den nya kan inte skapas just nu eftersom vissa av dem redigeras.", @@ -650,6 +689,7 @@ "SSE.Controllers.Main.errorKeyEncrypt": "Okänd nyckelbeskrivare", "SSE.Controllers.Main.errorKeyExpire": "Nyckelns beskrivning har utgått", "SSE.Controllers.Main.errorLabledColumnsPivot": "För att skapa en pivottabell använder du data som är organiserade som en lista med märkta kolumner.", + "SSE.Controllers.Main.errorLoadingFont": "Typsnittet är inte tillgängligt.
Vänligen kontakta dokumentserverns administratör.", "SSE.Controllers.Main.errorLocationOrDataRangeError": "Referensen för platsen eller dataområdet är inte giltig.", "SSE.Controllers.Main.errorLockedAll": "Åtgärden kunde inte utföras eftersom arket har låsts av en annan användare.", "SSE.Controllers.Main.errorLockedCellPivot": "Kan inte ändra data i en pivottabell", @@ -659,8 +699,9 @@ "SSE.Controllers.Main.errorMoveSlicerError": "Tabellskivor kan inte kopieras från en arbetsbok till en annan.
Försök igen genom att välja hela tabellen och skivorna.", "SSE.Controllers.Main.errorMultiCellFormula": "Multi-cell array är inte tillåtna i tabeller", "SSE.Controllers.Main.errorNoDataToParse": "Ingen data vald att bearbeta", - "SSE.Controllers.Main.errorOpenWarning": "Längden på en av formlerna i filen överskred
det tillåtna antalet tecken och det togs bort.", + "SSE.Controllers.Main.errorOpenWarning": "Längden på en av formlerna i filen överskred gränsen på 8192 tecken.
Formeln togs bort.", "SSE.Controllers.Main.errorOperandExpected": "Den angivna funktionssyntaxen är inte korrekt. Kontrollera om du saknar en av parenteserna - '(' eller ')'.", + "SSE.Controllers.Main.errorPasswordIsNotCorrect": "Lösenordet som du angav är felaktigt.
Se till att CAPS LOCK inte är aktiverat och säkerställ att du använder rätt storlek på tecknen i lösenordet.", "SSE.Controllers.Main.errorPasteMaxRange": "Kopiera- och klistraområdet matchar inte.
Välj ett område med samma storlek eller klicka på den första cellen i rad för att klistra in de kopierade cellerna.", "SSE.Controllers.Main.errorPasteMultiSelect": "Den här åtgärden kan inte göras i ett val av flera intervall.
Välj ett enda område och försök igen.", "SSE.Controllers.Main.errorPasteSlicerError": "Tabellskivor kan inte kopieras från en arbetsbok till en annan.", @@ -683,9 +724,10 @@ "SSE.Controllers.Main.errorUpdateVersionOnDisconnect": "Internetanslutningen har återställts och filversionen har ändrats.
Innan du fortsätter arbeta, ladda ner filen eller kopiera innehållet för att försäkra dig om att inte förlora något, ladda sedan om denna sida.", "SSE.Controllers.Main.errorUserDrop": "Filen kan inte nås för tillfället. ", "SSE.Controllers.Main.errorUsersExceed": "Antalet användare som tillåts av licensen överskreds", - "SSE.Controllers.Main.errorViewerDisconnect": "Anslutningen bröts. Du kan fortfarande se dokumentet
men kommer inte att kunna ladda ner eller skriva ut tills anslutningen är återställd.", + "SSE.Controllers.Main.errorViewerDisconnect": "Anslutningen avbröts. Du kan fortfarande se dokumentet,
men du kommer inte att kunna ladda ner eller skriva ut det innan anslutningen är återställd och sidan har laddats om.", "SSE.Controllers.Main.errorWrongBracketsCount": "Fel i den angivna formeln.
Felaktigt antal parenteser.", "SSE.Controllers.Main.errorWrongOperator": "Ett fel i den angivna formeln. Felaktig operator används.
Var god korrigera felet.", + "SSE.Controllers.Main.errorWrongPassword": "Lösenordet som angavs är felaktigt.", "SSE.Controllers.Main.errRemDuplicates": "Duplicerade värden hittades och raderades: {0}, unika värden kvar: {1}.", "SSE.Controllers.Main.leavePageText": "Du har osparade ändringar i det här kalkylarket. Klicka på \"Stanna på den här sidan\" och sedan på \"Spara\" för att spara dem. Klicka på \"Lämna den här sidan\" om du vill ta bort alla ändringar som inte har sparats.", "SSE.Controllers.Main.leavePageTextOnClose": "Alla ändringar som inte har sparats i detta kalkylblad går förlorade.
Klicka på \"Avbryt\" och sedan på \"Spara\" för att spara dem. Klicka på \"OK\" för att kassera alla ändringar som inte sparats.", @@ -699,7 +741,7 @@ "SSE.Controllers.Main.loadImageTitleText": "Laddar bild", "SSE.Controllers.Main.loadingDocumentTitleText": "Hämtar kalkylblad", "SSE.Controllers.Main.notcriticalErrorTitle": "Varning", - "SSE.Controllers.Main.openErrorText": "Ett fel uppstod när filen skulle öppnas", + "SSE.Controllers.Main.openErrorText": "Ett fel uppstod vid öppnandet av filen.", "SSE.Controllers.Main.openTextText": "Öppnar kalkylblad...", "SSE.Controllers.Main.openTitleText": "Öppnar kalkylblad", "SSE.Controllers.Main.pastInMergeAreaError": "Kan inte ändra del av en sammanslagen cell", @@ -708,26 +750,38 @@ "SSE.Controllers.Main.reloadButtonText": "Ladda om sidan", "SSE.Controllers.Main.requestEditFailedMessageText": "Någon redigerar det här dokumentet just nu. Vänligen försök igen senare.", "SSE.Controllers.Main.requestEditFailedTitleText": "Ingen behörighet", - "SSE.Controllers.Main.saveErrorText": "Ett fel uppstod när filen skulle sparas", + "SSE.Controllers.Main.saveErrorText": "Ett fel uppstod när filen sparades.", "SSE.Controllers.Main.saveErrorTextDesktop": "Den här filen kan inte sparas eller skapas.
Möjliga orsaker är:
1. Filen är skrivskyddad.
2. Filen redigeras av andra användare.
3. Disken är full eller skadad.", "SSE.Controllers.Main.saveTextText": "Sparar arbetsbok...", "SSE.Controllers.Main.saveTitleText": "Sparar arbetsbok", "SSE.Controllers.Main.scriptLoadError": "Anslutningen är för långsam, vissa av komponenterna kunde inte laddas. Vänligen ladda om sidan.", "SSE.Controllers.Main.textAnonymous": "Anonym", + "SSE.Controllers.Main.textApplyAll": "Gäller alla ekvationer", "SSE.Controllers.Main.textBuyNow": "Besök webbplats", + "SSE.Controllers.Main.textChangesSaved": "Alla ändringar har sparats", "SSE.Controllers.Main.textClose": "Stäng", "SSE.Controllers.Main.textCloseTip": "Klicka för att stänga tipset", "SSE.Controllers.Main.textConfirm": "Bekräftelse", "SSE.Controllers.Main.textContactUs": "Kontakta säljare", + "SSE.Controllers.Main.textConvertEquation": "Denna ekvation skapades med en gammal version av ekvationsredigeraren som inte längre stöds. Om du vill redigera den konverterar du ekvationen till Office Math ML-format.
Konvertera nu?", "SSE.Controllers.Main.textCustomLoader": "Observera att enligt licensvillkoren har du inte rätt att byta laddaren.
Kontakta vår försäljningsavdelning för att få en offert.", + "SSE.Controllers.Main.textDisconnect": "Anslutningen förlorades", + "SSE.Controllers.Main.textFillOtherRows": "Fyll andra rader", + "SSE.Controllers.Main.textFormulaFilledAllRows": "Formel ifylld {0} rader har data. Att fylla de andra tomma raderna kan ta några minuter.", + "SSE.Controllers.Main.textFormulaFilledAllRowsWithEmpty": "Formel ifylld i de första {0} raderna. Att fylla de andra tomma raderna kan ta några minuter.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherHaveData": "Formel är bara ifylld i de första {0} raderna av minnesbesparings skäl. Det finns {1} andra rader med data i detta kalkylblad. Du kan fylla i dem manuellt.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherIsEmpty": "Formel är bara ifylld i de {0} rader av minnesutrymmes skäl. De andra raderna i detta kalkylblad har inga data.", "SSE.Controllers.Main.textGuest": "Gäst", "SSE.Controllers.Main.textHasMacros": "Filen innehåller automatiska makron.
Vill du köra makron?", + "SSE.Controllers.Main.textLearnMore": "Lär dig mer", "SSE.Controllers.Main.textLoadingDocument": "Hämtar kalkylblad", "SSE.Controllers.Main.textLongName": "Ange namn (max 128 tecken).", + "SSE.Controllers.Main.textNeedSynchronize": "Du har uppdateringar", "SSE.Controllers.Main.textNo": "Nej", - "SSE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE anslutningsbegränsning", + "SSE.Controllers.Main.textNoLicenseTitle": "Licensens gräns är nådd", "SSE.Controllers.Main.textPaidFeature": "Betald funktion", "SSE.Controllers.Main.textPleaseWait": "Åtgärden kan ta mer tid än väntat. Vänta...", + "SSE.Controllers.Main.textReconnect": "Anslutningen återställdes", "SSE.Controllers.Main.textRemember": "Kom ihåg mitt val för alla filer", "SSE.Controllers.Main.textRenameError": "Användarnamn får inte var tomt.", "SSE.Controllers.Main.textRenameLabel": "Ange namn för samarbete", @@ -755,6 +809,7 @@ "SSE.Controllers.Main.txtDays": "Dagar", "SSE.Controllers.Main.txtDiagramTitle": "Diagramtitel", "SSE.Controllers.Main.txtEditingMode": "Ställ in redigeringsläge...", + "SSE.Controllers.Main.txtErrorLoadHistory": "Inläsning av historik misslyckades", "SSE.Controllers.Main.txtFiguredArrows": "Figurpilar", "SSE.Controllers.Main.txtFile": "Fil", "SSE.Controllers.Main.txtGrandTotal": "Totalsumma", @@ -974,27 +1029,34 @@ "SSE.Controllers.Main.txtTab": "Tabb", "SSE.Controllers.Main.txtTable": "Tabell", "SSE.Controllers.Main.txtTime": "Tid", + "SSE.Controllers.Main.txtUnlock": "Lås upp", + "SSE.Controllers.Main.txtUnlockRange": "Lås upp intervall", + "SSE.Controllers.Main.txtUnlockRangeDescription": "Ange ett lösenord för att ändra intervallet:", + "SSE.Controllers.Main.txtUnlockRangeWarning": "Ett intervall du försöker ändra är skyddat av lösenord.", "SSE.Controllers.Main.txtValues": "Värden", "SSE.Controllers.Main.txtXAxis": "X-axel", "SSE.Controllers.Main.txtYAxis": "Y-axel", "SSE.Controllers.Main.txtYears": "år", "SSE.Controllers.Main.unknownErrorText": "Okänt fel.", "SSE.Controllers.Main.unsupportedBrowserErrorText": "Din webbläsare stöds ej.", + "SSE.Controllers.Main.uploadDocExtMessage": "Okänt dokumentformat.", + "SSE.Controllers.Main.uploadDocFileCountMessage": "Inga dokument uppladdade.", + "SSE.Controllers.Main.uploadDocSizeMessage": "Maximal gräns för dokumentstorlek har överskridits.", "SSE.Controllers.Main.uploadImageExtMessage": "Okänt bildformat.", "SSE.Controllers.Main.uploadImageFileCountMessage": "Inga bilder uppladdade.", - "SSE.Controllers.Main.uploadImageSizeMessage": "Maximal bildstorlek har överskridits.", + "SSE.Controllers.Main.uploadImageSizeMessage": "Bilden är för stor. Den maximala storleken är 25 MB.", "SSE.Controllers.Main.uploadImageTextText": "Laddar upp bild...", "SSE.Controllers.Main.uploadImageTitleText": "Laddar upp bild", "SSE.Controllers.Main.waitText": "Vänta...", "SSE.Controllers.Main.warnBrowserIE9": "Fungerar dåligt med Internet Explorer 9. Använd version 10 eller högre.", "SSE.Controllers.Main.warnBrowserZoom": "Din webbläsares nuvarande zoominställningar stöds inte fullt ut. Återställ till standard zoom genom att trycka på Ctrl + 0.", - "SSE.Controllers.Main.warnLicenseExceeded": "Antalet samtidiga anslutningar till dokumentservern har överskridits och dokumentet öppnas endast för visning.
Vänligen kontakta din systemadministratör för mer information.", + "SSE.Controllers.Main.warnLicenseExceeded": "Gränsen är nådd för antalet %1 samtidiga anslutna redigerare. Dokumentet öppnas som skrivskyddat.
Kontakta administratören för mer information.", "SSE.Controllers.Main.warnLicenseExp": "Din licens har gått ut.
Förnya din licens och uppdatera sidan.", "SSE.Controllers.Main.warnLicenseLimitedNoAccess": "Licensen ogiltig.
Ingen access till redigeringsfunktioner.
Kontakta din administratör.", "SSE.Controllers.Main.warnLicenseLimitedRenewed": "Licensen måste förnyas.
Endast begränsad funktionalitet.
Kontakta din administratör för full funktionalitet.", - "SSE.Controllers.Main.warnLicenseUsersExceeded": "Antalet samtidiga användare har överskridits och dokumentet öppnas endast för visning.
Vänligen kontakta din systemadministratör för mer information.", - "SSE.Controllers.Main.warnNoLicense": "Den här versionen av %1 har vissa begränsningar för samtidiga anslutningar till dokumentservern.
Om du behöver mer, överväg att köpa en kommersiell licens.", - "SSE.Controllers.Main.warnNoLicenseUsers": "Den här versionen av %1 har vissa begränsningar för samtidiga användare.
Om du behöver mer, överväg att köpa en kommersiell licens.", + "SSE.Controllers.Main.warnLicenseUsersExceeded": "Gränsen är nådd för antalet %1 redigerare.
Kontakta administratören för mer information.", + "SSE.Controllers.Main.warnNoLicense": "Gränsen är nådd för antalet %1 samtidiga anslutna redigerare. Dokumentet öppnas som skrivskyddat.
Kontakta %1 försäljningsteamet för personliga uppgraderings villkor.", + "SSE.Controllers.Main.warnNoLicenseUsers": "Gränsen är nådd för antalet %1 redigerare.
Kontakta %1 försäljningsteamet för personliga uppgraderings villkor.", "SSE.Controllers.Main.warnProcessRightsChange": "Du har nekats rätten att redigera filen.", "SSE.Controllers.Print.strAllSheets": "Alla kalkylblad", "SSE.Controllers.Print.textFirstCol": "Första kolumnen", @@ -1011,6 +1073,7 @@ "SSE.Controllers.Statusbar.errorLastSheet": "Arbetsboken måste ha minst en synlig flik.", "SSE.Controllers.Statusbar.errorRemoveSheet": "Kan inte radera kalkylbladet.", "SSE.Controllers.Statusbar.strSheet": "Flik", + "SSE.Controllers.Statusbar.textDisconnect": "
Anslutningen förlorades

Försöker återansluta. Vänligen kontroller anslutningens inställningar.", "SSE.Controllers.Statusbar.textSheetViewTip": "Du är i Sheet View-läge. Filter och sortering är endast synliga för dig och de som fortfarande är i den här vyn.", "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Du är i Sheet View-läge. Filter är endast synliga för dig och de som fortfarande är i den här vyn.", "SSE.Controllers.Statusbar.warnDeleteSheet": "De valda kalkylarken kan innehålla data. Är du säker på att du vill fortsätta?", @@ -1036,6 +1099,7 @@ "SSE.Controllers.Toolbar.textPivot": "Pivottabell", "SSE.Controllers.Toolbar.textRadical": "Radikaler", "SSE.Controllers.Toolbar.textRating": "Betyg", + "SSE.Controllers.Toolbar.textRecentlyUsed": "Nyligen använda", "SSE.Controllers.Toolbar.textScript": "Skript", "SSE.Controllers.Toolbar.textShapes": "Former", "SSE.Controllers.Toolbar.textSymbols": "Symboler", @@ -1218,6 +1282,7 @@ "SSE.Controllers.Toolbar.txtLimitLog_LogBase": "Logaritm", "SSE.Controllers.Toolbar.txtLimitLog_Max": "Max", "SSE.Controllers.Toolbar.txtLimitLog_Min": "Minst", + "SSE.Controllers.Toolbar.txtLockSort": "Data finns bredvid ditt val men du har inte tillräckliga behörigheter för att ändra dessa celler.
Vill du fortsätta med nuvarande val?", "SSE.Controllers.Toolbar.txtMatrix_1_2": "1x2 tom matris", "SSE.Controllers.Toolbar.txtMatrix_1_3": "1x3 tom matris", "SSE.Controllers.Toolbar.txtMatrix_2_1": "2x1 tom matris", @@ -1376,7 +1441,9 @@ "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Decimaltecken", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Tusentals-separator", "SSE.Views.AdvancedSeparatorDialog.textLabel": "Inställningar som används för att känna igen numeriska data", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "Betydelseindikator för text", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Avancerade inställningar", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(inget)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Anpassat filter", "SSE.Views.AutoFilterDialog.textAddSelection": "Lägg till aktuellt urval till filter", "SSE.Views.AutoFilterDialog.textEmptyItem": "{Blanksteg}", @@ -1440,7 +1507,7 @@ "SSE.Views.CellSettings.textDirection": "Riktning", "SSE.Views.CellSettings.textFill": "Fyll", "SSE.Views.CellSettings.textForeground": "Förgrundsfärg", - "SSE.Views.CellSettings.textGradient": "Fyllning", + "SSE.Views.CellSettings.textGradient": "Triangulära punkter", "SSE.Views.CellSettings.textGradientColor": "Färg", "SSE.Views.CellSettings.textGradientFill": "Fyllning", "SSE.Views.CellSettings.textIndent": "Indrag", @@ -1538,7 +1605,7 @@ "SSE.Views.ChartSettingsDlg.textAbsolute": "Flytta eller ändra inte storlek på celler", "SSE.Views.ChartSettingsDlg.textAlt": "Alternativ text", "SSE.Views.ChartSettingsDlg.textAltDescription": "Beskrivning", - "SSE.Views.ChartSettingsDlg.textAltTip": "Den alternativa textbaserade representation av den visuella informationsobjektet, som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar att hjälpa dem att bättre förstå vilken information som finns i bilden, figur eller, diagram eller en tabell.", + "SSE.Views.ChartSettingsDlg.textAltTip": "Den alternativa textbaserad förekomsten av visuell objektinformation som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar för att hjälpa dem att bättre förstå vilken information som finns i bilden, figuren, diagrammet eller tabellen.", "SSE.Views.ChartSettingsDlg.textAltTitle": "Titel", "SSE.Views.ChartSettingsDlg.textAuto": "Auto", "SSE.Views.ChartSettingsDlg.textAutoEach": "Auto för varje", @@ -1682,9 +1749,9 @@ "SSE.Views.DataTab.capBtnTextRemDuplicates": "Ta bort dubbletter", "SSE.Views.DataTab.capBtnTextToCol": "Text till kolumner", "SSE.Views.DataTab.capBtnUngroup": "Dela upp", - "SSE.Views.DataTab.capDataFromText": "Från Text/csv", - "SSE.Views.DataTab.mniFromFile": "Hämta data från fil", - "SSE.Views.DataTab.mniFromUrl": "Hämta data från URL", + "SSE.Views.DataTab.capDataFromText": "Hämta data", + "SSE.Views.DataTab.mniFromFile": "Från lokal TXT/CSV", + "SSE.Views.DataTab.mniFromUrl": "Från TXT/CSV webbadress", "SSE.Views.DataTab.textBelow": "Summeringsrader under detaljer", "SSE.Views.DataTab.textClear": "Rensa disposition", "SSE.Views.DataTab.textColumns": "Avdela kolumner", @@ -1800,7 +1867,7 @@ "SSE.Views.DocumentHolder.insertColumnRightText": "Kolumn höger", "SSE.Views.DocumentHolder.insertRowAboveText": "Rad ovanför", "SSE.Views.DocumentHolder.insertRowBelowText": "Rad under", - "SSE.Views.DocumentHolder.originalSizeText": "Standardstorlek", + "SSE.Views.DocumentHolder.originalSizeText": "Verklig storlek", "SSE.Views.DocumentHolder.removeHyperlinkText": "Ta bort länk", "SSE.Views.DocumentHolder.selectColumnText": "Hela kolumnen", "SSE.Views.DocumentHolder.selectDataText": "Kolumndata", @@ -1822,6 +1889,7 @@ "SSE.Views.DocumentHolder.textCrop": "Beskär", "SSE.Views.DocumentHolder.textCropFill": "Fyll", "SSE.Views.DocumentHolder.textCropFit": "Anpassa", + "SSE.Views.DocumentHolder.textEditPoints": "Redigera punkter", "SSE.Views.DocumentHolder.textEntriesList": "Välj från listan", "SSE.Views.DocumentHolder.textFlipH": "Vänd horisontellt", "SSE.Views.DocumentHolder.textFlipV": "Vänd vertikalt", @@ -1914,7 +1982,7 @@ "SSE.Views.DocumentHolder.txtSortFontColor": "Välj font-färg överst", "SSE.Views.DocumentHolder.txtSparklines": "Sparklines", "SSE.Views.DocumentHolder.txtText": "Text", - "SSE.Views.DocumentHolder.txtTextAdvanced": "Avancerade textinställningar", + "SSE.Views.DocumentHolder.txtTextAdvanced": "Styckets avancerade inställningar", "SSE.Views.DocumentHolder.txtTime": "Tid", "SSE.Views.DocumentHolder.txtUngroup": "Dela upp", "SSE.Views.DocumentHolder.txtWidth": "Bredd", @@ -1946,11 +2014,14 @@ "SSE.Views.FieldSettingsDialog.txtTop": "Visa överst i gruppen", "SSE.Views.FieldSettingsDialog.txtVar": "Var", "SSE.Views.FieldSettingsDialog.txtVarp": "Varp", - "SSE.Views.FileMenu.btnBackCaption": "Gå till dokument", + "SSE.Views.FileMenu.btnBackCaption": "Öppna filens plats", "SSE.Views.FileMenu.btnCloseMenuCaption": "Stäng meny", "SSE.Views.FileMenu.btnCreateNewCaption": "Skapa ny", "SSE.Views.FileMenu.btnDownloadCaption": "Ladda ner som...", + "SSE.Views.FileMenu.btnExitCaption": "Avsluta", + "SSE.Views.FileMenu.btnFileOpenCaption": "Öppna...", "SSE.Views.FileMenu.btnHelpCaption": "Hjälp...", + "SSE.Views.FileMenu.btnHistoryCaption": "Versionshistorik", "SSE.Views.FileMenu.btnInfoCaption": "Info arbetsbok", "SSE.Views.FileMenu.btnPrintCaption": "Skriv ut", "SSE.Views.FileMenu.btnProtectCaption": "Skydda", @@ -1963,6 +2034,8 @@ "SSE.Views.FileMenu.btnSaveCopyAsCaption": "Spara kopia som...", "SSE.Views.FileMenu.btnSettingsCaption": "Avancerade inställningar...", "SSE.Views.FileMenu.btnToEditCaption": "Redigera kalkylblad", + "SSE.Views.FileMenuPanels.CreateNew.txtBlank": "Tomt kalkylark", + "SSE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Skapa ny", "SSE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Tillämpa", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Lägg till författare", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Lägg till text", @@ -1990,7 +2063,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Decimaltecken", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Snabb", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Fontförslag", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Spara alltid till server (annars spara till servern när dokumentet stängs)", + "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", @@ -2015,7 +2088,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "Återskapa", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "Autospara", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Inaktiverad", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Spara till server", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Sparar mellanliggande versioner", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Varje minut", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Referensstil", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBe": "Belarusian", @@ -2046,7 +2119,8 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNl": "Dutch", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Polish", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Punkt", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "Portuguese", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtbr": "Portugisiska (Brasilien)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "Portugisiska (Portugal)", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRo": "Romanian", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Rysk", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacros": "Aktivera alla", @@ -2185,6 +2259,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Redigera formateringsregel", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Ny formateringsregel", "SSE.Views.FormatRulesManagerDlg.guestText": "Gäst", + "SSE.Views.FormatRulesManagerDlg.lockText": "Låst", "SSE.Views.FormatRulesManagerDlg.text1Above": "1: a dev över genomsnittet", "SSE.Views.FormatRulesManagerDlg.text1Below": "1: a dev under genomsnittet", "SSE.Views.FormatRulesManagerDlg.text2Above": "2 std dev över genomsnitt", @@ -2346,6 +2421,7 @@ "SSE.Views.ImageSettings.textCrop": "Beskär", "SSE.Views.ImageSettings.textCropFill": "Fyll", "SSE.Views.ImageSettings.textCropFit": "Anpassa", + "SSE.Views.ImageSettings.textCropToShape": "Beskär till form", "SSE.Views.ImageSettings.textEdit": "Redigera", "SSE.Views.ImageSettings.textEditObject": "Redigera objekt", "SSE.Views.ImageSettings.textFlip": "Vänd", @@ -2359,7 +2435,8 @@ "SSE.Views.ImageSettings.textHintFlipV": "Vänd vertikalt", "SSE.Views.ImageSettings.textInsert": "Ersätt bild", "SSE.Views.ImageSettings.textKeepRatio": "Konstanta proportioner", - "SSE.Views.ImageSettings.textOriginalSize": "Standardstorlek", + "SSE.Views.ImageSettings.textOriginalSize": "Verklig storlek", + "SSE.Views.ImageSettings.textRecentlyUsed": "Nyligen använda", "SSE.Views.ImageSettings.textRotate90": "Rotera 90°", "SSE.Views.ImageSettings.textRotation": "Rotation", "SSE.Views.ImageSettings.textSize": "Storlek", @@ -2367,7 +2444,7 @@ "SSE.Views.ImageSettingsAdvanced.textAbsolute": "Flytta eller ändra inte storlek på celler", "SSE.Views.ImageSettingsAdvanced.textAlt": "Alternativ text", "SSE.Views.ImageSettingsAdvanced.textAltDescription": "Beskrivning", - "SSE.Views.ImageSettingsAdvanced.textAltTip": "Den alternativa textbaserade representation av den visuella informationsobjektet, som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar att hjälpa dem att bättre förstå vilken information som finns i bilden, figur eller, diagram eller en tabell.", + "SSE.Views.ImageSettingsAdvanced.textAltTip": "Den alternativa textbaserad förekomsten av visuell objektinformation som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar för att hjälpa dem att bättre förstå vilken information som finns i bilden, figuren, diagrammet eller tabellen.", "SSE.Views.ImageSettingsAdvanced.textAltTitle": "Titel", "SSE.Views.ImageSettingsAdvanced.textAngle": "Vinkel", "SSE.Views.ImageSettingsAdvanced.textFlipped": "Vänd", @@ -2437,6 +2514,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "Klistra in namn", "SSE.Views.NameManagerDlg.closeButtonText": "Stäng", "SSE.Views.NameManagerDlg.guestText": "Gäst", + "SSE.Views.NameManagerDlg.lockText": "Låst", "SSE.Views.NameManagerDlg.textDataRange": "Dataområde", "SSE.Views.NameManagerDlg.textDelete": "Radera", "SSE.Views.NameManagerDlg.textEdit": "Redigera", @@ -2482,7 +2560,7 @@ "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Special", "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecialBy": "Av", "SSE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Font", - "SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indrag & placering", + "SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indrag & mellanrum", "SSE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Gemener", "SSE.Views.ParagraphSettingsAdvanced.strSpacing": "Avstånd", "SSE.Views.ParagraphSettingsAdvanced.strStrike": "Genomstruken", @@ -2668,6 +2746,94 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "Välj intervall", "SSE.Views.PrintTitlesDialog.textTitle": "Skriv ut titlar", "SSE.Views.PrintTitlesDialog.textTop": "Upprepa raderna överst", + "SSE.Views.PrintWithPreview.txtActualSize": "Verklig storlek", + "SSE.Views.PrintWithPreview.txtAllSheets": "Alla kalkylblad", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Gäller alla kalkylblad", + "SSE.Views.PrintWithPreview.txtBottom": "Nederst", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Aktuellt kalkylblad", + "SSE.Views.PrintWithPreview.txtCustom": "Anpassad", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Anpassade alternativ", + "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", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Rutnät och rubriker", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Inställningar för sidhuvud och sidfot", + "SSE.Views.PrintWithPreview.txtIgnore": "Ignorera utskriftsområde", + "SSE.Views.PrintWithPreview.txtLandscape": "Liggande", + "SSE.Views.PrintWithPreview.txtLeft": "Vänster", + "SSE.Views.PrintWithPreview.txtMargins": "Marginaler", + "SSE.Views.PrintWithPreview.txtOf": "av {0}", + "SSE.Views.PrintWithPreview.txtPage": "Sida", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "Sidnumret är felaktigt", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Sidans orientering", + "SSE.Views.PrintWithPreview.txtPageSize": "Sidans storlek", + "SSE.Views.PrintWithPreview.txtPortrait": "Stående", + "SSE.Views.PrintWithPreview.txtPrint": "Skriv ut", + "SSE.Views.PrintWithPreview.txtPrintGrid": "Skriv ut rutnät", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "Skriv ut rad- och kolumnrubriker", + "SSE.Views.PrintWithPreview.txtPrintRange": "Utskriftsområde", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Skriv ut titlar", + "SSE.Views.PrintWithPreview.txtRepeat": "Upprepa...", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "Upprepa kolumner till vänster", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "Upprepa de översta raderna", + "SSE.Views.PrintWithPreview.txtRight": "Höger", + "SSE.Views.PrintWithPreview.txtSave": "Spara", + "SSE.Views.PrintWithPreview.txtScaling": "Skalning", + "SSE.Views.PrintWithPreview.txtSelection": "Markering", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Kalkylbladets inställningar", + "SSE.Views.PrintWithPreview.txtSheet": "Kalkylblad: {0}", + "SSE.Views.PrintWithPreview.txtTop": "Överst", + "SSE.Views.ProtectDialog.textExistName": "FEL! Intervall med detta namn finns redan", + "SSE.Views.ProtectDialog.textInvalidName": "Intervalltiteln måste börja med en bokstav och får endast innehålla bokstäver, siffror och mellanslag.", + "SSE.Views.ProtectDialog.textInvalidRange": "FEL! Ogiltigt cellintervall", + "SSE.Views.ProtectDialog.textSelectData": "Välj data", + "SSE.Views.ProtectDialog.txtAllow": "Tillåt alla användare av detta kalkylblad att", + "SSE.Views.ProtectDialog.txtAutofilter": "Använd autofilter", + "SSE.Views.ProtectDialog.txtDelCols": "Radera kolumner", + "SSE.Views.ProtectDialog.txtDelRows": "Radera rader", + "SSE.Views.ProtectDialog.txtEmpty": "Detta fält är obligatoriskt", + "SSE.Views.ProtectDialog.txtFormatCells": "Formatera celler", + "SSE.Views.ProtectDialog.txtFormatCols": "Formatera kolumner", + "SSE.Views.ProtectDialog.txtFormatRows": "Formatera rader", + "SSE.Views.ProtectDialog.txtIncorrectPwd": "Bekräftelselösenordet är inte identiskt", + "SSE.Views.ProtectDialog.txtInsCols": "Infoga kolumner", + "SSE.Views.ProtectDialog.txtInsHyper": "Infoga hyperlänk", + "SSE.Views.ProtectDialog.txtInsRows": "Infoga rader", + "SSE.Views.ProtectDialog.txtObjs": "Redigera objekt", + "SSE.Views.ProtectDialog.txtOptional": "Valfritt", + "SSE.Views.ProtectDialog.txtPassword": "Lösenord", + "SSE.Views.ProtectDialog.txtPivot": "Använd pivottabell och pivotdiagram", + "SSE.Views.ProtectDialog.txtProtect": "Skydda", + "SSE.Views.ProtectDialog.txtRange": "Område", + "SSE.Views.ProtectDialog.txtRangeName": "Dokumenttitel", + "SSE.Views.ProtectDialog.txtRepeat": "Upprepa lösenord", + "SSE.Views.ProtectDialog.txtScen": "Redigera händelser", + "SSE.Views.ProtectDialog.txtSelLocked": "Välj låsta celler", + "SSE.Views.ProtectDialog.txtSelUnLocked": "Välj olåsta celler", + "SSE.Views.ProtectDialog.txtSheetDescription": "Förhindrar oönskade ändringar av andra genom att begränsa deras möjlighet till ändringar.", + "SSE.Views.ProtectDialog.txtSheetTitle": "Skydda kalkylblad", + "SSE.Views.ProtectDialog.txtSort": "Sortera", + "SSE.Views.ProtectDialog.txtWarning": "Varning! Om du glömmer lösenordet kan det inte återskapas. Vänligen förvara det på en säker plats.", + "SSE.Views.ProtectDialog.txtWBDescription": "För att förhindra andra användare att se dolda arbetsböcker, lägga till, flytta, radera, dölja eller döpa om arbetsböcker så kan du skydda deras struktur med ett lösenord.", + "SSE.Views.ProtectDialog.txtWBTitle": "Skydda arbetsbokens struktur", + "SSE.Views.ProtectRangesDlg.guestText": "Gäst", + "SSE.Views.ProtectRangesDlg.lockText": "Låst", + "SSE.Views.ProtectRangesDlg.textDelete": "Radera", + "SSE.Views.ProtectRangesDlg.textEdit": "Redigera", + "SSE.Views.ProtectRangesDlg.textEmpty": "Inga intervaller är tillgängliga för redigering.", + "SSE.Views.ProtectRangesDlg.textNew": "Ny", + "SSE.Views.ProtectRangesDlg.textProtect": "Skydda kalkylblad", + "SSE.Views.ProtectRangesDlg.textPwd": "Lösenord", + "SSE.Views.ProtectRangesDlg.textRange": "Område", + "SSE.Views.ProtectRangesDlg.textRangesDesc": "Området låses upp med lösenord när kalkylbladet är skyddat (detta gäller bara för låsta celler)", + "SSE.Views.ProtectRangesDlg.textTitle": "Dokumenttitel", + "SSE.Views.ProtectRangesDlg.tipIsLocked": "Detta element redigeras av en annan användare.", + "SSE.Views.ProtectRangesDlg.txtEditRange": "Redigera intervall", + "SSE.Views.ProtectRangesDlg.txtNewRange": "Nytt intervall", + "SSE.Views.ProtectRangesDlg.txtNo": "Nov", + "SSE.Views.ProtectRangesDlg.txtTitle": "Tillåt användare att ändra intervaller", + "SSE.Views.ProtectRangesDlg.txtYes": "Ja", + "SSE.Views.ProtectRangesDlg.warnDelete": "Är du säker på att du vill ta bort namnet {0}?", "SSE.Views.RemoveDuplicatesDialog.textColumns": "Kolumner", "SSE.Views.RemoveDuplicatesDialog.textDescription": "Om du vill ta bort dubbletter av värden väljer du en eller flera kolumner som innehåller dubbletter.", "SSE.Views.RemoveDuplicatesDialog.textHeaders": "Mina data har rubriker", @@ -2676,7 +2842,7 @@ "SSE.Views.RightMenu.txtCellSettings": "Formatera celler", "SSE.Views.RightMenu.txtChartSettings": "Diagraminställningar", "SSE.Views.RightMenu.txtImageSettings": "Bildinställningar", - "SSE.Views.RightMenu.txtParagraphSettings": "Text inställningar", + "SSE.Views.RightMenu.txtParagraphSettings": "Styckets inställningar", "SSE.Views.RightMenu.txtPivotSettings": "Inställningar pivottabell", "SSE.Views.RightMenu.txtSettings": "Allmänna inställningar", "SSE.Views.RightMenu.txtShapeSettings": "Form inställningar", @@ -2705,7 +2871,7 @@ "SSE.Views.ShapeSettings.strPattern": "Mönster", "SSE.Views.ShapeSettings.strShadow": "Visa skugga", "SSE.Views.ShapeSettings.strSize": "Storlek", - "SSE.Views.ShapeSettings.strStroke": "Genomslag", + "SSE.Views.ShapeSettings.strStroke": "Linje", "SSE.Views.ShapeSettings.strTransparency": "Opacitet", "SSE.Views.ShapeSettings.strType": "Typ", "SSE.Views.ShapeSettings.textAdvanced": "Visa avancerade inställningar", @@ -2718,7 +2884,7 @@ "SSE.Views.ShapeSettings.textFromFile": "Från fil", "SSE.Views.ShapeSettings.textFromStorage": "Från lagring", "SSE.Views.ShapeSettings.textFromUrl": "Från URL", - "SSE.Views.ShapeSettings.textGradient": "Fyllning", + "SSE.Views.ShapeSettings.textGradient": "Triangulära punkter", "SSE.Views.ShapeSettings.textGradientFill": "Fyllning", "SSE.Views.ShapeSettings.textHint270": "Rotera 90° moturs", "SSE.Views.ShapeSettings.textHint90": "Rotera 90° medsols", @@ -2731,6 +2897,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "Mönster", "SSE.Views.ShapeSettings.textPosition": "Position", "SSE.Views.ShapeSettings.textRadial": "Radiell", + "SSE.Views.ShapeSettings.textRecentlyUsed": "Nyligen använda", "SSE.Views.ShapeSettings.textRotate90": "Rotera 90°", "SSE.Views.ShapeSettings.textRotation": "Rotation", "SSE.Views.ShapeSettings.textSelectImage": "Välj bild", @@ -2758,7 +2925,7 @@ "SSE.Views.ShapeSettingsAdvanced.textAbsolute": "Flytta eller ändra inte storlek på celler", "SSE.Views.ShapeSettingsAdvanced.textAlt": "Alternativ text", "SSE.Views.ShapeSettingsAdvanced.textAltDescription": "Beskrivning", - "SSE.Views.ShapeSettingsAdvanced.textAltTip": "Den alternativa textbaserade representation av den visuella informationsobjektet, som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar att hjälpa dem att bättre förstå vilken information som finns i bilden, figur eller, diagram eller en tabell.", + "SSE.Views.ShapeSettingsAdvanced.textAltTip": "Den alternativa textbaserad förekomsten av visuell objektinformation som kommer att läsas för personer med syn eller kognitiva funktionsnedsättningar för att hjälpa dem att bättre förstå vilken information som finns i bilden, figuren, diagrammet eller tabellen.", "SSE.Views.ShapeSettingsAdvanced.textAltTitle": "Titel", "SSE.Views.ShapeSettingsAdvanced.textAngle": "Vinkel", "SSE.Views.ShapeSettingsAdvanced.textArrows": "Pilar", @@ -2957,7 +3124,7 @@ "SSE.Views.Spellcheck.txtSpelling": "Rättstavning", "SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(Kopiera till slutet)", "SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(Flytta till slutet)", - "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Kopiera före ark", + "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Klistra in före kalkylarket", "SSE.Views.Statusbar.CopyDialog.textMoveBefore": "Flytta före ark", "SSE.Views.Statusbar.filteredRecordsText": "{0} av {1} poster filtrerade", "SSE.Views.Statusbar.filteredText": "Filterläge", @@ -2971,15 +3138,19 @@ "SSE.Views.Statusbar.itemMaximum": "Max", "SSE.Views.Statusbar.itemMinimum": "Minst", "SSE.Views.Statusbar.itemMove": "Flytta", + "SSE.Views.Statusbar.itemProtect": "Skydda", "SSE.Views.Statusbar.itemRename": "Döp om", + "SSE.Views.Statusbar.itemStatus": "Sparar status", "SSE.Views.Statusbar.itemSum": "Summa", "SSE.Views.Statusbar.itemTabColor": "Tabbfärg", + "SSE.Views.Statusbar.itemUnProtect": "Lås upp", "SSE.Views.Statusbar.RenameDialog.errNameExists": "En arbetsbok med samma namn finns redan.", "SSE.Views.Statusbar.RenameDialog.errNameWrongChar": "Namnet på ett blad kan inte innehålla följande tecken:: \\/*?[]:", "SSE.Views.Statusbar.RenameDialog.labelSheetName": "Fliknamn", "SSE.Views.Statusbar.selectAllSheets": "Markera alla blad", - "SSE.Views.Statusbar.textAverage": "GENOMSNITT", - "SSE.Views.Statusbar.textCount": "RÄKNA", + "SSE.Views.Statusbar.sheetIndexText": "Kalkylblad {0} av {1}", + "SSE.Views.Statusbar.textAverage": "Genomsnitt", + "SSE.Views.Statusbar.textCount": "Räkna", "SSE.Views.Statusbar.textMax": "Max", "SSE.Views.Statusbar.textMin": "Min", "SSE.Views.Statusbar.textNewColor": "Lägg till ny egen färg", @@ -2988,6 +3159,7 @@ "SSE.Views.Statusbar.tipAddTab": "Lägg till kalkylblad", "SSE.Views.Statusbar.tipFirst": "Scrolla till första bladet", "SSE.Views.Statusbar.tipLast": "Scrolla till sista bladet", + "SSE.Views.Statusbar.tipListOfSheets": "Lista med kalkylblad", "SSE.Views.Statusbar.tipNext": "Bläddra listan till höger", "SSE.Views.Statusbar.tipPrev": "Bläddra listan till vänster", "SSE.Views.Statusbar.tipZoomFactor": "Zooma", @@ -3053,7 +3225,7 @@ "SSE.Views.TextArtSettings.strForeground": "Förgrundsfärg", "SSE.Views.TextArtSettings.strPattern": "Mönster", "SSE.Views.TextArtSettings.strSize": "Storlek", - "SSE.Views.TextArtSettings.strStroke": "Genomslag", + "SSE.Views.TextArtSettings.strStroke": "Linje", "SSE.Views.TextArtSettings.strTransparency": "Opacitet", "SSE.Views.TextArtSettings.strType": "Typ", "SSE.Views.TextArtSettings.textAngle": "Vinkel", @@ -3063,7 +3235,7 @@ "SSE.Views.TextArtSettings.textEmptyPattern": "Inget mönster", "SSE.Views.TextArtSettings.textFromFile": "Från fil", "SSE.Views.TextArtSettings.textFromUrl": "Från URL", - "SSE.Views.TextArtSettings.textGradient": "Fyllning", + "SSE.Views.TextArtSettings.textGradient": "Triangulära punkter", "SSE.Views.TextArtSettings.textGradientFill": "Fyllning", "SSE.Views.TextArtSettings.textImageTexture": "Bild eller textur", "SSE.Views.TextArtSettings.textLinear": "Linjär", @@ -3095,7 +3267,7 @@ "SSE.Views.Toolbar.capBtnAddComment": "Lägg till kommentar", "SSE.Views.Toolbar.capBtnColorSchemas": "Färgschema", "SSE.Views.Toolbar.capBtnComment": "Kommentar", - "SSE.Views.Toolbar.capBtnInsHeader": "Sidhuvud/Sidfot", + "SSE.Views.Toolbar.capBtnInsHeader": "Sidhuvud & Sidfot", "SSE.Views.Toolbar.capBtnInsSlicer": "Slicer", "SSE.Views.Toolbar.capBtnInsSymbol": "Symbol", "SSE.Views.Toolbar.capBtnMargins": "Marginaler", @@ -3176,6 +3348,8 @@ "SSE.Views.Toolbar.textPageMarginsCustom": "Anpassade marginaler", "SSE.Views.Toolbar.textPortrait": "Porträtt", "SSE.Views.Toolbar.textPrint": "Skriv ut", + "SSE.Views.Toolbar.textPrintGridlines": "Skriv ut rutnät", + "SSE.Views.Toolbar.textPrintHeadings": "Skriv ut rubriker", "SSE.Views.Toolbar.textPrintOptions": "Skrivarinställningar", "SSE.Views.Toolbar.textRight": "Höger:", "SSE.Views.Toolbar.textRightBorders": "Ram höger", @@ -3254,13 +3428,22 @@ "SSE.Views.Toolbar.tipInsertTable": "Infoga tabell", "SSE.Views.Toolbar.tipInsertText": "Infoga textruta", "SSE.Views.Toolbar.tipInsertTextart": "Infoga Text Art", - "SSE.Views.Toolbar.tipMerge": "Slå ihop", + "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", "SSE.Views.Toolbar.tipPageMargins": "Sidmarginaler", "SSE.Views.Toolbar.tipPageOrient": "Orientering", "SSE.Views.Toolbar.tipPageSize": "Sidstorlek", "SSE.Views.Toolbar.tipPaste": "Klistra in", - "SSE.Views.Toolbar.tipPrColor": "Bakgrundsfärg", + "SSE.Views.Toolbar.tipPrColor": "Fyllnadsfärg", "SSE.Views.Toolbar.tipPrint": "Skriv ut", "SSE.Views.Toolbar.tipPrintArea": "Utskriftsområde", "SSE.Views.Toolbar.tipPrintTitles": "Skriv ut titlar", @@ -3383,6 +3566,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Varp", "SSE.Views.ViewManagerDlg.closeButtonText": "Stäng", "SSE.Views.ViewManagerDlg.guestText": "Gäst", + "SSE.Views.ViewManagerDlg.lockText": "Låst", "SSE.Views.ViewManagerDlg.textDelete": "Radera", "SSE.Views.ViewManagerDlg.textDuplicate": "Duplicera", "SSE.Views.ViewManagerDlg.textEmpty": "Inga vyer har skapats än.", @@ -3398,7 +3582,9 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "Du försöker ta bort den för närvarande aktiverade vyn %1.
Stäng den här vyn och ta bort den?", "SSE.Views.ViewTab.capBtnFreeze": "Lås paneler", "SSE.Views.ViewTab.capBtnSheetView": "Arkvy", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "Visa alltid verktygsfältet", "SSE.Views.ViewTab.textClose": "Stäng", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Kombinera kalkylblad och statusfält", "SSE.Views.ViewTab.textCreate": "Ny", "SSE.Views.ViewTab.textDefault": "Standard", "SSE.Views.ViewTab.textFormula": "Formelfält", @@ -3406,12 +3592,28 @@ "SSE.Views.ViewTab.textFreezeRow": "Lås översta raden", "SSE.Views.ViewTab.textGridlines": "Stödlinjer", "SSE.Views.ViewTab.textHeadings": "Rubriker", + "SSE.Views.ViewTab.textInterfaceTheme": "Gränssnittstema", "SSE.Views.ViewTab.textManager": "Vyhanterare", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "Visa skugga för frysta rutor", "SSE.Views.ViewTab.textUnFreeze": "Lås upp paneler", "SSE.Views.ViewTab.textZeros": "Visa nollor", "SSE.Views.ViewTab.textZoom": "Zooma", "SSE.Views.ViewTab.tipClose": "Stäng arkvy", "SSE.Views.ViewTab.tipCreate": "Skapa arkvy", "SSE.Views.ViewTab.tipFreeze": "Lås paneler", - "SSE.Views.ViewTab.tipSheetView": "Arkvy" + "SSE.Views.ViewTab.tipSheetView": "Arkvy", + "SSE.Views.WBProtection.hintAllowRanges": "Tillåt ändring av intervaller", + "SSE.Views.WBProtection.hintProtectSheet": "Skydda kalkylblad", + "SSE.Views.WBProtection.hintProtectWB": "Skydda arbetsbok", + "SSE.Views.WBProtection.txtAllowRanges": "Tillåt ändring av intervaller", + "SSE.Views.WBProtection.txtHiddenFormula": "Dolda formler", + "SSE.Views.WBProtection.txtLockedCell": "Låst cell", + "SSE.Views.WBProtection.txtLockedShape": "Form låst", + "SSE.Views.WBProtection.txtLockedText": "Lås text", + "SSE.Views.WBProtection.txtProtectSheet": "Skydda kalkylblad", + "SSE.Views.WBProtection.txtProtectWB": "Skydda arbetsbok", + "SSE.Views.WBProtection.txtSheetUnlockDescription": "Ange ett lösenord för att låsa upp kalkylarkets skydd", + "SSE.Views.WBProtection.txtSheetUnlockTitle": "Lås upp kalkylbladet", + "SSE.Views.WBProtection.txtWBUnlockDescription": "Ange ett lösenord för att låsa upp arbetsbokens skydd", + "SSE.Views.WBProtection.txtWBUnlockTitle": "Lås upp arbetsboken" } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/locale/tr.json b/apps/spreadsheeteditor/main/locale/tr.json index 0ba7e42ed..0c18935e9 100644 --- a/apps/spreadsheeteditor/main/locale/tr.json +++ b/apps/spreadsheeteditor/main/locale/tr.json @@ -75,7 +75,7 @@ "Common.define.conditionalData.textEqual": "Eşittir", "Common.define.conditionalData.textError": "Hata", "Common.define.conditionalData.textErrors": "Hatalar içeriyor", - "Common.define.conditionalData.textFormula": "formül", + "Common.define.conditionalData.textFormula": "Formül", "Common.define.conditionalData.textGreater": "daha büyük", "Common.define.conditionalData.textGreaterEq": "büyük veya eşit", "Common.define.conditionalData.textIconSets": "Simge setleri", @@ -114,6 +114,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Yeni", "Common.UI.ExtendedColorDialog.textRGBErr": "Girilen değer yanlış.
Lütfen 0 ile 255 arasında sayısal değer giriniz.", "Common.UI.HSBColorPicker.textNoColor": "Renk yok", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Parolayı gizle", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Parolayı göster", "Common.UI.SearchDialog.textHighlight": "Vurgu sonuçları", "Common.UI.SearchDialog.textMatchCase": "Büyük küçük harfe duyarlı", "Common.UI.SearchDialog.textReplaceDef": "Yerine geçecek metini giriniz", @@ -128,13 +130,13 @@ "Common.UI.SynchronizeTip.textSynchronize": "Döküman başka bir kullanıcı tarafından değiştirildi.
Lütfen değişikleri kaydetmek için tıklayın ve güncellemeleri yenileyin.", "Common.UI.ThemeColorPalette.textStandartColors": "Standart Renkler", "Common.UI.ThemeColorPalette.textThemeColors": "Tema Renkleri", - "Common.UI.Themes.txtThemeClassicLight": "Açık mod", + "Common.UI.Themes.txtThemeClassicLight": "Klasik Aydınlık", "Common.UI.Themes.txtThemeDark": "Karanlık", - "Common.UI.Themes.txtThemeLight": "Açık", + "Common.UI.Themes.txtThemeLight": "Aydınlık", "Common.UI.Window.cancelButtonText": "İptal Et", "Common.UI.Window.closeButtonText": "Kapat", "Common.UI.Window.noButtonText": "Hayır", - "Common.UI.Window.okButtonText": "TAMAM", + "Common.UI.Window.okButtonText": "Tamam", "Common.UI.Window.textConfirmation": "Konfirmasyon", "Common.UI.Window.textDontShow": "Bu mesajı bir daha gösterme", "Common.UI.Window.textError": "Hata", @@ -160,7 +162,7 @@ "Common.Views.AutoCorrectDialog.textMathCorrect": "Matematik Otomatik Düzeltme ", "Common.Views.AutoCorrectDialog.textNewRowCol": "Tabloya yeni satırlar ve sütunlar ekle", "Common.Views.AutoCorrectDialog.textRecognized": "Bilinen fonksiyonlar", - "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Aşağıdaki ifadeler tanınan matematik ifadeleridir. Otomatik olarak italik yazılmazlar.", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Aşağıdaki ifadeler tanınan matematik ifadeleridir. Otomatik olarak eğik yazılmazlar.", "Common.Views.AutoCorrectDialog.textReplace": "Değiştir", "Common.Views.AutoCorrectDialog.textReplaceText": "Yazarken Değiştir ", "Common.Views.AutoCorrectDialog.textReplaceType": "Metni yazarken değiştirin", @@ -178,18 +180,20 @@ "Common.Views.Comments.mniAuthorDesc": "Yazar Z'den A'ya", "Common.Views.Comments.mniDateAsc": "En eski", "Common.Views.Comments.mniDateDesc": "En yeni", + "Common.Views.Comments.mniFilterGroups": "Gruba göre Filtrele", "Common.Views.Comments.mniPositionAsc": "üstten", "Common.Views.Comments.mniPositionDesc": "Alttan", "Common.Views.Comments.textAdd": "Ekle", "Common.Views.Comments.textAddComment": "Yorum Ekle", "Common.Views.Comments.textAddCommentToDoc": "Dökümana yorum ekle", "Common.Views.Comments.textAddReply": "Cevap ekle", + "Common.Views.Comments.textAll": "Tümü", "Common.Views.Comments.textAnonym": "Misafir", "Common.Views.Comments.textCancel": "İptal Et", "Common.Views.Comments.textClose": "Kapat", "Common.Views.Comments.textClosePanel": "Yorumları kapat", "Common.Views.Comments.textComments": "Yorumlar", - "Common.Views.Comments.textEdit": "Düzenle", + "Common.Views.Comments.textEdit": "Tamam", "Common.Views.Comments.textEnterCommentHint": "Yorumunuzu buraya giriniz", "Common.Views.Comments.textHintAddComment": "Yorum Ekle", "Common.Views.Comments.textOpenAgain": "Tekrar Aç", @@ -224,7 +228,7 @@ "Common.Views.Header.tipDownload": "Dosyayı indir", "Common.Views.Header.tipGoEdit": "Mevcut belgeyi düzenle", "Common.Views.Header.tipPrint": "Belgeyi yazdır", - "Common.Views.Header.tipRedo": "Tekrar yap", + "Common.Views.Header.tipRedo": "Yinele", "Common.Views.Header.tipSave": "Kaydet", "Common.Views.Header.tipUndo": "Geri Al", "Common.Views.Header.tipUndock": "Ayrı pencereye çıkarın", @@ -281,7 +285,7 @@ "Common.Views.PasswordDialog.txtPassword": "Şifre", "Common.Views.PasswordDialog.txtRepeat": "Şifreyi tekrar girin", "Common.Views.PasswordDialog.txtTitle": "Şifreyi belirle", - "Common.Views.PasswordDialog.txtWarning": "Dikkat: Parolayı kaybeder veya unutursanız, kurtarılamaz.", + "Common.Views.PasswordDialog.txtWarning": "Dikkat: Parolayı kaybeder veya unutursanız, kurtarılamaz. Lütfen parolayı güvenli bir yerde saklayın.", "Common.Views.PluginDlg.textLoading": "Yükleniyor", "Common.Views.Plugins.groupCaption": "Eklentiler", "Common.Views.Plugins.strPlugins": "Eklentiler", @@ -373,7 +377,7 @@ "Common.Views.SignDialog.textCertificate": "Sertifika", "Common.Views.SignDialog.textChange": "Değiştir", "Common.Views.SignDialog.textInputName": "İmzalayan adını girin", - "Common.Views.SignDialog.textItalic": "İtalik", + "Common.Views.SignDialog.textItalic": "Eğik", "Common.Views.SignDialog.textNameError": "İmzalayan adı boş bırakılmamalıdır.", "Common.Views.SignDialog.textPurpose": "Bu belgeyi imzalamanın amacı", "Common.Views.SignDialog.textSelect": "Seç", @@ -562,7 +566,7 @@ "SSE.Controllers.DocumentHolder.txtPasteValNumFormat": "Değer + sayı biçimi", "SSE.Controllers.DocumentHolder.txtPasteValues": "Sadece değerle yapıştır", "SSE.Controllers.DocumentHolder.txtPercent": "Yüzde", - "SSE.Controllers.DocumentHolder.txtRedoExpansion": "Tablo otomatik genişletmeyi yeniden yap", + "SSE.Controllers.DocumentHolder.txtRedoExpansion": "Tablo otomatik genişletmeyi yinele", "SSE.Controllers.DocumentHolder.txtRemFractionBar": "Kesir barını kaldır", "SSE.Controllers.DocumentHolder.txtRemLimit": "Limiti kaldır", "SSE.Controllers.DocumentHolder.txtRemoveAccentChar": "Aksan karakterini kaldır", @@ -583,6 +587,7 @@ "SSE.Controllers.DocumentHolder.txtSorting": "Sıralama", "SSE.Controllers.DocumentHolder.txtSortSelected": "Seçili olanları sırala", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Parantezleri genişlet", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "Belirtilen sütunun yalnızca bu satırını seçin", "SSE.Controllers.DocumentHolder.txtTop": "Üst", "SSE.Controllers.DocumentHolder.txtUnderbar": "Metin altında bar", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Tablo otomatik genişletmesini geri al", @@ -624,7 +629,7 @@ "SSE.Controllers.Main.confirmPutMergeRange": "Kaynak veri birleştirilmiş hücreler içeriyor.
Tabloya yapıştırılmadan önce birleştirmeleri kaldırılmıştır.", "SSE.Controllers.Main.confirmReplaceFormulaInTable": "Başlık satırındaki formüller kaldırılacak ve statik metne dönüştürülecek.
Devam etmek istiyor musunuz?", "SSE.Controllers.Main.convertationTimeoutText": "Değişim süresi aşıldı.", - "SSE.Controllers.Main.criticalErrorExtText": "Döküman listesine dönmek için \"TAMAM\"'a tıklayın", + "SSE.Controllers.Main.criticalErrorExtText": "Döküman listesine dönmek için \"Tamam\"'a tıklayın", "SSE.Controllers.Main.criticalErrorTitle": "Hata", "SSE.Controllers.Main.downloadErrorText": "Yükleme başarısız oldu.", "SSE.Controllers.Main.downloadTextText": "E-Tablo indiriliyor...", @@ -638,11 +643,12 @@ "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": "Resim URL'si yanlış", "SSE.Controllers.Main.errorCannotUngroup": "Grup çözülemiyor. Bir anahat başlatmak için ayrıntı satırlarını veya sütunlarını seçin ve gruplayın.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "Bu komutu korumalı bir sayfada kullanamazsınız. Bu komutu kullanmak için sayfanın korumasını kaldırın.
Bir parola girmeniz istenebilir.", "SSE.Controllers.Main.errorChangeArray": "Bir dizinin bir bölümünü değiştiremezsiniz.", "SSE.Controllers.Main.errorChangeFilteredRange": "Bu, çalışma sayfanızdaki filtrelenmiş bir aralığı değiştirecektir.
Bu görevi tamamlamak için lütfen Otomatik Filtreleri kaldırın.", "SSE.Controllers.Main.errorChangeOnProtectedSheet": "Değiştirmeye çalıştığınız hücre veya grafik korumalı bir sayfada.
Değişiklik yapmak için sayfanın korumasını kaldırın. Bir şifre girmeniz istenebilir.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kesildi. Döküman şu an düzenlenemez.", - "SSE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
'TAMAM' tuşuna tıkladığınızda belgeyi indirebileceksiniz.", + "SSE.Controllers.Main.errorConnectToServer": "Belge kaydedilemedi. Lütfen internet bağlantınızı kontrol edin veya yöneticiniz ile iletişime geçin.
'Tamam' tuşuna tıkladığınızda belgeyi indirebileceksiniz.", "SSE.Controllers.Main.errorCopyMultiselectArea": "Bu komut çoklu seçimlerle kullanılamaz.
Tek bir aralık seçin ve tekrar deneyin.", "SSE.Controllers.Main.errorCountArg": "Girilen formülde hata oluştu.
Yanlış değişken sayısı kullanıldı.", "SSE.Controllers.Main.errorCountArgExceed": "Girilen formülde hata oluştu.
Değişken sayısı aşıldı.", @@ -730,7 +736,7 @@ "SSE.Controllers.Main.notcriticalErrorTitle": "Dikkat", "SSE.Controllers.Main.openErrorText": "Dosya açılırken bir hata oluştu", "SSE.Controllers.Main.openTextText": "E-tablo açılıyor...", - "SSE.Controllers.Main.openTitleText": "Spreadsheet Açılıyor", + "SSE.Controllers.Main.openTitleText": "E-Tablo Açılıyor", "SSE.Controllers.Main.pastInMergeAreaError": "Birleştirilmiş hücrenin parçası değiştirilemez", "SSE.Controllers.Main.printTextText": "Spreadsheet yazdırılıyor...", "SSE.Controllers.Main.printTitleText": "Spreadsheet Yazdırılıyor", @@ -753,6 +759,10 @@ "SSE.Controllers.Main.textConvertEquation": "Bu denklem, denklem düzenleyicinin artık desteklenmeyen eski bir sürümüyle oluşturulmuştur. Düzenlemek için denklemi Office Math ML formatına dönüştürün.
Şimdi dönüştürülsün mü?", "SSE.Controllers.Main.textCustomLoader": "Lütfen lisans şartlarına göre yükleyiciyi değiştirme hakkınız olmadığını unutmayın.
Fiyat teklifi almak için lütfen Satış Departmanımızla iletişime geçin.", "SSE.Controllers.Main.textDisconnect": "bağlantı kesildi", + "SSE.Controllers.Main.textFillOtherRows": "Diğer satırları doldur", + "SSE.Controllers.Main.textFormulaFilledAllRows": "Formülle doldurulmuş {0} satırda veri bulunuyor. Diğer boş satırların doldurulması birkaç dakika sürebilir.", + "SSE.Controllers.Main.textFormulaFilledAllRowsWithEmpty": "Formül ilk {0} satırı doldurdu. Diğer boş satırların doldurulması birkaç dakika sürebilir.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherIsEmpty": "Formül, yalnızca ilk {0} satırı bellek kaydetme nedenine göre doldurdu. Bu sayfadaki diğer satırlarda veri yok.", "SSE.Controllers.Main.textGuest": "Ziyaretçi", "SSE.Controllers.Main.textHasMacros": "Dosya otomatik makrolar içeriyor.
Makroları çalıştırmak istiyor musunuz?", "SSE.Controllers.Main.textLearnMore": "Daha fazlası", @@ -763,13 +773,14 @@ "SSE.Controllers.Main.textNoLicenseTitle": "Lisans limitine ulaşıldı.", "SSE.Controllers.Main.textPaidFeature": "Ücretli Özellik", "SSE.Controllers.Main.textPleaseWait": "Operasyon beklenenden daha çok vakit alabilir. Lütfen bekleyin...", + "SSE.Controllers.Main.textReconnect": "Yeniden bağlanıldı", "SSE.Controllers.Main.textRemember": "Seçimimi tüm dosyalar için hatırla", "SSE.Controllers.Main.textRenameError": "Kullanıcı adı boş bırakılmamalıdır.", "SSE.Controllers.Main.textRenameLabel": "İşbirliği için kullanılacak bir ad girin", "SSE.Controllers.Main.textShape": "Şekil", "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.textTryUndoRedoWarn": "Hızlı birlikte düzenleme modunda geri al/ileri al fonksiyonları devre dışıdır.", + "SSE.Controllers.Main.textTryUndoRedo": "Geri al/Yinele fonksiyonları hızlı ortak çalışma modunda devre dışı kalır.
'Katı mod' tuşuna tıklayarak Katı ortak düzenleme moduna geçebilir ve diğer kullanıcıların müdehalesi olmadan, yalnızca siz belgeyi kaydettikten sonra değişiklik yapılmasını sağlayabilirsiniz. Ortak çalışma moduna tekrar dönmek için Gelişmiş ayarları kullanabilirsiniz.", + "SSE.Controllers.Main.textTryUndoRedoWarn": "Hızlı ortak düzenleme modunda geri al/yinele fonksiyonları devre dışıdır.", "SSE.Controllers.Main.textYes": "Evet", "SSE.Controllers.Main.titleLicenseExp": "Lisans süresi doldu", "SSE.Controllers.Main.titleServerVersion": "Editör güncellendi", @@ -860,7 +871,7 @@ "SSE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "Kavisli Çift Ok Bağlayıcı", "SSE.Controllers.Main.txtShape_curvedDownArrow": "Eğri Aşağı Ok", "SSE.Controllers.Main.txtShape_curvedLeftArrow": "Kavisli Sol Ok", - "SSE.Controllers.Main.txtShape_curvedRightArrow": "Kavisli Sağ Ok", + "SSE.Controllers.Main.txtShape_curvedRightArrow": "Kavisli Sağa Ok", "SSE.Controllers.Main.txtShape_curvedUpArrow": "Kavisli Yukarı OK", "SSE.Controllers.Main.txtShape_decagon": "Dekagon", "SSE.Controllers.Main.txtShape_diagStripe": "Çapraz Çizgi", @@ -945,7 +956,7 @@ "SSE.Controllers.Main.txtShape_rect": "Dikdörtgen", "SSE.Controllers.Main.txtShape_ribbon": "Aşağı Ribbon", "SSE.Controllers.Main.txtShape_ribbon2": "Yukarı Ribbon", - "SSE.Controllers.Main.txtShape_rightArrow": "Sağ Ok", + "SSE.Controllers.Main.txtShape_rightArrow": "Sağa Ok", "SSE.Controllers.Main.txtShape_rightArrowCallout": "Sağ Ok Belirtme Çizgisi ", "SSE.Controllers.Main.txtShape_rightBrace": "Sağ Ayraç", "SSE.Controllers.Main.txtShape_rightBracket": "Sağ Köşeli Ayraç", @@ -960,16 +971,16 @@ "SSE.Controllers.Main.txtShape_snip2SameRect": "Aynı Yan Köşe Dikdörtgeni Kes", "SSE.Controllers.Main.txtShape_snipRoundRect": "Yuvarlak Tek Köşe Dikdörtgen Kes", "SSE.Controllers.Main.txtShape_spline": "eğri", - "SSE.Controllers.Main.txtShape_star10": "10-Numara Yıldız", - "SSE.Controllers.Main.txtShape_star12": "12-Numara Yıldız", - "SSE.Controllers.Main.txtShape_star16": "16-Numara Yıldız", - "SSE.Controllers.Main.txtShape_star24": "24-Numara Yıldız", - "SSE.Controllers.Main.txtShape_star32": "32-Numara Yıldız", - "SSE.Controllers.Main.txtShape_star4": "4-Numara Yıldız", - "SSE.Controllers.Main.txtShape_star5": "5-Numara Yıldız", - "SSE.Controllers.Main.txtShape_star6": "6-Numara Yıldız", - "SSE.Controllers.Main.txtShape_star7": "7-Numara Yıldız", - "SSE.Controllers.Main.txtShape_star8": "8-Numara Yıldız", + "SSE.Controllers.Main.txtShape_star10": "10 Köşeli Yıldız", + "SSE.Controllers.Main.txtShape_star12": "12 Köşeli Yıldız", + "SSE.Controllers.Main.txtShape_star16": "16 Köşeli Yıldız", + "SSE.Controllers.Main.txtShape_star24": "24 Köşeli Yıldız", + "SSE.Controllers.Main.txtShape_star32": "32 Köşeli Yıldız", + "SSE.Controllers.Main.txtShape_star4": "4 Köşeli Yıldız", + "SSE.Controllers.Main.txtShape_star5": "5 Köşeli Yıldız", + "SSE.Controllers.Main.txtShape_star6": "6 Köşeli Yıldız", + "SSE.Controllers.Main.txtShape_star7": "7 Köşeli Yıldız", + "SSE.Controllers.Main.txtShape_star8": "8 Köşeli Yıldız", "SSE.Controllers.Main.txtShape_stripedRightArrow": "Çizgili Sağ Ok", "SSE.Controllers.Main.txtShape_sun": "Güneş", "SSE.Controllers.Main.txtShape_teardrop": "Damla", @@ -1363,7 +1374,7 @@ "SSE.Controllers.Toolbar.txtSymbol_kappa": "Kappa", "SSE.Controllers.Toolbar.txtSymbol_lambda": "Lambda", "SSE.Controllers.Toolbar.txtSymbol_leftarrow": "Sol Ok", - "SSE.Controllers.Toolbar.txtSymbol_leftrightarrow": "Sol-Sağ Ok", + "SSE.Controllers.Toolbar.txtSymbol_leftrightarrow": "Sol-sağ ok", "SSE.Controllers.Toolbar.txtSymbol_leq": "Küçük eşittir", "SSE.Controllers.Toolbar.txtSymbol_less": "Küçüktür", "SSE.Controllers.Toolbar.txtSymbol_ll": "Çok Küçüktür", @@ -1390,7 +1401,7 @@ "SSE.Controllers.Toolbar.txtSymbol_qed": "İspat Sonu", "SSE.Controllers.Toolbar.txtSymbol_rddots": "Yukarı Sağ Diyagonal Elips", "SSE.Controllers.Toolbar.txtSymbol_rho": "Rho", - "SSE.Controllers.Toolbar.txtSymbol_rightarrow": "Sağ Ok", + "SSE.Controllers.Toolbar.txtSymbol_rightarrow": "Sağa Ok", "SSE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", "SSE.Controllers.Toolbar.txtSymbol_sqrt": "Kök İşareti", "SSE.Controllers.Toolbar.txtSymbol_tau": "Tau", @@ -1399,12 +1410,12 @@ "SSE.Controllers.Toolbar.txtSymbol_times": "Çarpma İşareti", "SSE.Controllers.Toolbar.txtSymbol_uparrow": "Yukarı Oku", "SSE.Controllers.Toolbar.txtSymbol_upsilon": "Epsilon", - "SSE.Controllers.Toolbar.txtSymbol_varepsilon": "Epsilon Varyantı", - "SSE.Controllers.Toolbar.txtSymbol_varphi": "Phi Varyantı", - "SSE.Controllers.Toolbar.txtSymbol_varpi": "Pi Varyantı", - "SSE.Controllers.Toolbar.txtSymbol_varrho": "Rho Varyantı", - "SSE.Controllers.Toolbar.txtSymbol_varsigma": "Sigma Varyantı", - "SSE.Controllers.Toolbar.txtSymbol_vartheta": "Teta Varyantı", + "SSE.Controllers.Toolbar.txtSymbol_varepsilon": "Epsilon varyantı", + "SSE.Controllers.Toolbar.txtSymbol_varphi": "Phi varyantı", + "SSE.Controllers.Toolbar.txtSymbol_varpi": "Pi varyantı", + "SSE.Controllers.Toolbar.txtSymbol_varrho": "Rho varyantı", + "SSE.Controllers.Toolbar.txtSymbol_varsigma": "Sigma varyantı", + "SSE.Controllers.Toolbar.txtSymbol_vartheta": "Teta varyantı", "SSE.Controllers.Toolbar.txtSymbol_vdots": "Dikey Elips", "SSE.Controllers.Toolbar.txtSymbol_xsi": "Xi", "SSE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", @@ -1768,7 +1779,7 @@ "SSE.Views.DataValidationDialog.textEndDate": "Bitiş Tarihi", "SSE.Views.DataValidationDialog.textEndTime": "Bitiş zamanı", "SSE.Views.DataValidationDialog.textError": "Hata mesajı", - "SSE.Views.DataValidationDialog.textFormula": "formül", + "SSE.Views.DataValidationDialog.textFormula": "Formül", "SSE.Views.DataValidationDialog.textIgnore": "Boşluğu yoksay", "SSE.Views.DataValidationDialog.textInput": "Mesaj ekle", "SSE.Views.DataValidationDialog.textMax": "Maksimum", @@ -1841,13 +1852,13 @@ "SSE.Views.DocumentHolder.directHText": "Horizontal", "SSE.Views.DocumentHolder.directionText": "Text Direction", "SSE.Views.DocumentHolder.editChartText": "Veri düzenle", - "SSE.Views.DocumentHolder.editHyperlinkText": "Hiper bağı düzenle", + "SSE.Views.DocumentHolder.editHyperlinkText": "Köprüyü Düzenle", "SSE.Views.DocumentHolder.insertColumnLeftText": "Sol Sütun", "SSE.Views.DocumentHolder.insertColumnRightText": "Sağ Sütun", "SSE.Views.DocumentHolder.insertRowAboveText": "Yukarı Satır", "SSE.Views.DocumentHolder.insertRowBelowText": "Aşağı Satır", "SSE.Views.DocumentHolder.originalSizeText": "Gerçek Boyut", - "SSE.Views.DocumentHolder.removeHyperlinkText": "Hiper bağı kaldır", + "SSE.Views.DocumentHolder.removeHyperlinkText": "Köprüyü Kaldır", "SSE.Views.DocumentHolder.selectColumnText": "Tüm sütun", "SSE.Views.DocumentHolder.selectDataText": "Sütun Verisi", "SSE.Views.DocumentHolder.selectRowText": "Satır", @@ -1868,6 +1879,7 @@ "SSE.Views.DocumentHolder.textCrop": "Kırpmak", "SSE.Views.DocumentHolder.textCropFill": "Doldur", "SSE.Views.DocumentHolder.textCropFit": "Sığdır", + "SSE.Views.DocumentHolder.textEditPoints": "Noktaları Düzenle", "SSE.Views.DocumentHolder.textEntriesList": "Açılır listeden seç", "SSE.Views.DocumentHolder.textFlipH": "Yatay olarak çevir", "SSE.Views.DocumentHolder.textFlipV": "Dikey Çevir", @@ -1910,7 +1922,7 @@ "SSE.Views.DocumentHolder.txtClearAll": "Hepsi", "SSE.Views.DocumentHolder.txtClearComments": "Yorumlar", "SSE.Views.DocumentHolder.txtClearFormat": "Biçim", - "SSE.Views.DocumentHolder.txtClearHyper": "Hiper bağlar", + "SSE.Views.DocumentHolder.txtClearHyper": "Köprüler", "SSE.Views.DocumentHolder.txtClearSparklineGroups": "Seçili Sparkline Grupları Temizle", "SSE.Views.DocumentHolder.txtClearSparklines": "Seçili Sparklineları Temizle", "SSE.Views.DocumentHolder.txtClearText": "Metin", @@ -1939,7 +1951,7 @@ "SSE.Views.DocumentHolder.txtGroup": "Grup", "SSE.Views.DocumentHolder.txtHide": "Gizle", "SSE.Views.DocumentHolder.txtInsert": "Ekle", - "SSE.Views.DocumentHolder.txtInsHyperlink": "Hiper bağ", + "SSE.Views.DocumentHolder.txtInsHyperlink": "Köprü", "SSE.Views.DocumentHolder.txtNumber": "Sayı", "SSE.Views.DocumentHolder.txtNumFormat": "Sayı Formatı", "SSE.Views.DocumentHolder.txtPaste": "Yapıştır", @@ -1960,7 +1972,7 @@ "SSE.Views.DocumentHolder.txtSortFontColor": "Seçili Yazı Rengi üstte", "SSE.Views.DocumentHolder.txtSparklines": "Sparklinelar", "SSE.Views.DocumentHolder.txtText": "Metin", - "SSE.Views.DocumentHolder.txtTextAdvanced": "Paragraf Gelişmiş Ayarları", + "SSE.Views.DocumentHolder.txtTextAdvanced": "Gelişmiş Paragraf Ayarları", "SSE.Views.DocumentHolder.txtTime": "Zaman", "SSE.Views.DocumentHolder.txtUngroup": "Gruptan çıkar", "SSE.Views.DocumentHolder.txtWidth": "Genişlik", @@ -1992,14 +2004,14 @@ "SSE.Views.FieldSettingsDialog.txtTop": "Grubun başında göster", "SSE.Views.FieldSettingsDialog.txtVar": "Varyans", "SSE.Views.FileMenu.btnBackCaption": "Dosya konumunu aç", - "SSE.Views.FileMenu.btnCloseMenuCaption": "Menüyü kapat", + "SSE.Views.FileMenu.btnCloseMenuCaption": "Menüyü Kapat", "SSE.Views.FileMenu.btnCreateNewCaption": "Yeni oluştur", "SSE.Views.FileMenu.btnDownloadCaption": "Farklı İndir...", "SSE.Views.FileMenu.btnExitCaption": "Çıkış", "SSE.Views.FileMenu.btnFileOpenCaption": "Aç...", "SSE.Views.FileMenu.btnHelpCaption": "Yardım...", "SSE.Views.FileMenu.btnHistoryCaption": "Sürüm tarihçesi", - "SSE.Views.FileMenu.btnInfoCaption": "Spreadsheet Bilgisi...", + "SSE.Views.FileMenu.btnInfoCaption": "E-Tablo Bilgisi...", "SSE.Views.FileMenu.btnPrintCaption": "Yazdır", "SSE.Views.FileMenu.btnProtectCaption": "Koru", "SSE.Views.FileMenu.btnRecentFilesCaption": "En sonunucuyu aç...", @@ -2017,7 +2029,7 @@ "SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Yazar Ekle", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Metin Ekle", "SSE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Uygulama", - "SSE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Yayıncı", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Yazar", "SSE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Erişim haklarını değiştir", "SSE.Views.FileMenuPanels.DocumentInfo.txtComment": "Yorum", "SSE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Olusturuldu", @@ -2046,7 +2058,7 @@ "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ır Seçenekleri düğmesini göster", + "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: ", @@ -2057,7 +2069,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Binlik ayırıcı", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "Ölçüm birimi", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUseSeparatorsBasedOnRegionalSettings": "Bölgesel ayarlara dayalı ayırıcılar kullanın", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strZoom": "Varsayılan Zum Değeri", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strZoom": "Varsayılan Yakınlaştırma Değeri", "SSE.Views.FileMenuPanels.MainSettingsGeneral.text10Minutes": "Her 10 dakika", "SSE.Views.FileMenuPanels.MainSettingsGeneral.text30Minutes": "Her 30 dakika", "SSE.Views.FileMenuPanels.MainSettingsGeneral.text5Minutes": "Her 5 Dakika", @@ -2091,7 +2103,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Lao", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Letonca", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "OS X olarak", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Yerli", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Yerel", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNb": "Norveççe", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNl": "Flemenkçe", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Parlat", @@ -2121,12 +2133,12 @@ "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": "Şifre ile", + "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Parola ile", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Elektronik Tabloyu Koru", "SSE.Views.FileMenuPanels.ProtectDoc.strSignature": "İmza ile", "SSE.Views.FileMenuPanels.ProtectDoc.txtEdit": "E-Tabloyu düzenle", "SSE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "Düzenleme, imzaları e-tablodan kaldıracak.
Devam edilsin mi?", - "SSE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "Bu e-tablo şifre ile korunmuştur", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "Bu tablo parola ile korunmuştur", "SSE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "Bu elektronik tablonun imzalanması gerekiyor.", "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.", @@ -2166,7 +2178,7 @@ "SSE.Views.FormatRulesEditDlg.textErrorTop10Between": "{0} ile {1} arasında bir sayı girin.", "SSE.Views.FormatRulesEditDlg.textFill": "Doldur", "SSE.Views.FormatRulesEditDlg.textFormat": "Biçim", - "SSE.Views.FormatRulesEditDlg.textFormula": "formül", + "SSE.Views.FormatRulesEditDlg.textFormula": "Formül", "SSE.Views.FormatRulesEditDlg.textGradient": "Gradyan", "SSE.Views.FormatRulesEditDlg.textIconLabel": "{0} {1} olduğunda ve", "SSE.Views.FormatRulesEditDlg.textIconLabelFirst": "{0} {1} olduğunda", @@ -2176,7 +2188,7 @@ "SSE.Views.FormatRulesEditDlg.textInsideBorders": "İç Sınırlar", "SSE.Views.FormatRulesEditDlg.textInvalid": "Geçersiz veri aralığı.", "SSE.Views.FormatRulesEditDlg.textInvalidRange": "HATA! Geçersiz hücre aralığı", - "SSE.Views.FormatRulesEditDlg.textItalic": "İtalik", + "SSE.Views.FormatRulesEditDlg.textItalic": "Eğik", "SSE.Views.FormatRulesEditDlg.textItem": "Öğe", "SSE.Views.FormatRulesEditDlg.textLeft2Right": "Soldan sağa", "SSE.Views.FormatRulesEditDlg.textLeftBorders": "Sol Sınırlar", @@ -2268,6 +2280,7 @@ "SSE.Views.FormatRulesManagerDlg.textRules": "Kurallar", "SSE.Views.FormatRulesManagerDlg.textSelectData": "Veri Seç", "SSE.Views.FormatRulesManagerDlg.textSelection": "Şu anki seçim", + "SSE.Views.FormatRulesManagerDlg.textThisPivot": "Bu pivot", "SSE.Views.FormatRulesManagerDlg.textThisSheet": "Bu çalışma sayfası", "SSE.Views.FormatRulesManagerDlg.textThisTable": "Bu tablo", "SSE.Views.FormatRulesManagerDlg.textUnique": "Benzersiz değerler", @@ -2350,7 +2363,7 @@ "SSE.Views.HeaderFooterDialog.textFooter": "Altbilgi", "SSE.Views.HeaderFooterDialog.textHeader": "Başlık", "SSE.Views.HeaderFooterDialog.textInsert": "Ekle", - "SSE.Views.HeaderFooterDialog.textItalic": "İtalik", + "SSE.Views.HeaderFooterDialog.textItalic": "Eğik", "SSE.Views.HeaderFooterDialog.textLeft": "Sol", "SSE.Views.HeaderFooterDialog.textMaxError": "Girdiğiniz metin dizisi çok uzun. Kullanılan karakter sayısını azaltın.", "SSE.Views.HeaderFooterDialog.textNewColor": "Yeni Özel Renk Ekle", @@ -2365,7 +2378,7 @@ "SSE.Views.HeaderFooterDialog.textSubscript": "Alt Simge", "SSE.Views.HeaderFooterDialog.textSuperscript": "Üst Simge", "SSE.Views.HeaderFooterDialog.textTime": "Zaman", - "SSE.Views.HeaderFooterDialog.textTitle": "Üstbilgi/Altbilgi Ayarları", + "SSE.Views.HeaderFooterDialog.textTitle": "Üst/Alt Bilgi Ayarları", "SSE.Views.HeaderFooterDialog.textUnderline": "Altı çizili", "SSE.Views.HeaderFooterDialog.tipFontName": "Yazı Tipi", "SSE.Views.HeaderFooterDialog.tipFontSize": "Yazı Boyutu", @@ -2386,7 +2399,7 @@ "SSE.Views.HyperlinkSettingsDialog.textSelectData": "Veri Seç", "SSE.Views.HyperlinkSettingsDialog.textSheets": "Sayfalar", "SSE.Views.HyperlinkSettingsDialog.textTipText": "Ekranİpucu metni", - "SSE.Views.HyperlinkSettingsDialog.textTitle": "Hiper bağ Ayarları", + "SSE.Views.HyperlinkSettingsDialog.textTitle": "Köprü Ayarları", "SSE.Views.HyperlinkSettingsDialog.txtEmpty": "Bu alan gereklidir", "SSE.Views.HyperlinkSettingsDialog.txtNotUrl": "Bu alan \"http://www.example.com\" formatında URL olmalıdır", "SSE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Bu alan 2083 karakterle sınırlıdır", @@ -2394,6 +2407,7 @@ "SSE.Views.ImageSettings.textCrop": "Kırpmak", "SSE.Views.ImageSettings.textCropFill": "Doldur", "SSE.Views.ImageSettings.textCropFit": "Sığdır", + "SSE.Views.ImageSettings.textCropToShape": "Şekillendirmek için kırp", "SSE.Views.ImageSettings.textEdit": "Düzenle", "SSE.Views.ImageSettings.textEditObject": "Obje Düzenle", "SSE.Views.ImageSettings.textFlip": "çevir", @@ -2716,6 +2730,16 @@ "SSE.Views.PrintTitlesDialog.textTitle": "Başlıkları yazdır", "SSE.Views.PrintTitlesDialog.textTop": "Üstteki satırları tekrarlayın", "SSE.Views.PrintWithPreview.txtActualSize": "Gerçek Boyut", + "SSE.Views.PrintWithPreview.txtAllSheets": "Tüm tablolar", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Tüm sayfalara uygula", + "SSE.Views.PrintWithPreview.txtBottom": "Alt", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Mevcut Tablo", + "SSE.Views.PrintWithPreview.txtCustom": "Özel", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Özel Seçenekler", + "SSE.Views.PrintWithPreview.txtFitCols": "Tüm Sütunları Bir Sayfaya Sığdır", + "SSE.Views.PrintWithPreview.txtFitPage": "Yaprağı Bir Sayfaya Sığdır", + "SSE.Views.PrintWithPreview.txtFitRows": "Tüm Satırları Bir Sayfaya Sığdır", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Üst/Alt bilgi ayarları", "SSE.Views.ProtectDialog.textExistName": "HATA! Böyle bir başlığa sahip aralık zaten var", "SSE.Views.ProtectDialog.textInvalidName": "Aralık başlığı bir harfle başlamalı ve yalnızca harf, sayı ve boşluk içerebilir.", "SSE.Views.ProtectDialog.textInvalidRange": "HATA! Geçersiz hücre aralığı", @@ -2730,7 +2754,7 @@ "SSE.Views.ProtectDialog.txtFormatRows": "Satırları biçimlendir", "SSE.Views.ProtectDialog.txtIncorrectPwd": "Onay şifresi aynı değil", "SSE.Views.ProtectDialog.txtInsCols": "Sütun ekle", - "SSE.Views.ProtectDialog.txtInsHyper": "Köprü ekle", + "SSE.Views.ProtectDialog.txtInsHyper": "Köprü Ekle", "SSE.Views.ProtectDialog.txtInsRows": "Satır ekle", "SSE.Views.ProtectDialog.txtObjs": "Nesneleri düzenle", "SSE.Views.ProtectDialog.txtOptional": "Opsiyonel", @@ -2746,7 +2770,7 @@ "SSE.Views.ProtectDialog.txtSheetDescription": "Düzenleme yeteneklerini sınırlayarak başkalarının istenmeyen değişiklikler yapmasını önleyin.", "SSE.Views.ProtectDialog.txtSheetTitle": "Sayfayı Koruyun", "SSE.Views.ProtectDialog.txtSort": "Sırala", - "SSE.Views.ProtectDialog.txtWarning": "Dikkat: Parolayı kaybeder veya unutursanız, kurtarılamaz.", + "SSE.Views.ProtectDialog.txtWarning": "Dikkat: Parolayı kaybeder veya unutursanız, kurtarılamaz. Lütfen parolayı güvenli bir yerde saklayın.", "SSE.Views.ProtectDialog.txtWBDescription": "Diğer kullanıcıların gizli çalışma sayfalarını görüntülemesini, çalışma sayfalarını eklemesini, taşımasını, silmesini veya gizlemesini ve çalışma sayfalarını yeniden adlandırmasını önlemek için çalışma kitabınızın yapısını bir parola ile koruyabilirsiniz.", "SSE.Views.ProtectDialog.txtWBTitle": "Çalışma Kitabı yapısını koruyun", "SSE.Views.ProtectRangesDlg.guestText": "Ziyaretçi", @@ -2782,7 +2806,7 @@ "SSE.Views.RightMenu.txtSlicerSettings": "Dilimleyici ayarları", "SSE.Views.RightMenu.txtSparklineSettings": "Sparkline Ayarları", "SSE.Views.RightMenu.txtTableSettings": "Tablo Ayarları", - "SSE.Views.RightMenu.txtTextArtSettings": "Text Art Settings", + "SSE.Views.RightMenu.txtTextArtSettings": "Yazı Sanatı ayarları", "SSE.Views.ScaleDialog.textAuto": "Otomatik", "SSE.Views.ScaleDialog.textError": "Girilen değer yanlış.", "SSE.Views.ScaleDialog.textFewPages": "Sayfalar", @@ -2943,7 +2967,7 @@ "SSE.Views.SlicerSettingsAdvanced.strHeight": "Yükseklik", "SSE.Views.SlicerSettingsAdvanced.strHideNoData": "Veri içermeyen öğeleri gizle", "SSE.Views.SlicerSettingsAdvanced.strIndNoData": "Veri içermeyen öğeleri görsel olarak belirtin", - "SSE.Views.SlicerSettingsAdvanced.strReferences": "Başvurular", + "SSE.Views.SlicerSettingsAdvanced.strReferences": "Kaynakça", "SSE.Views.SlicerSettingsAdvanced.strShowDel": "Veri kaynağından silinen öğeleri göster", "SSE.Views.SlicerSettingsAdvanced.strShowHeader": "Ekran başlığı", "SSE.Views.SlicerSettingsAdvanced.strShowNoData": "Son verisi olmayan öğeleri göster", @@ -3079,7 +3103,7 @@ "SSE.Views.Statusbar.RenameDialog.errNameWrongChar": "Tablo ismi şu karakterleri içeremez: \\/*?[]:", "SSE.Views.Statusbar.RenameDialog.labelSheetName": "Sayfa ismi", "SSE.Views.Statusbar.selectAllSheets": "Tüm Sayfaları Seç", - "SSE.Views.Statusbar.sheetIndexText": "{1} sayfadan {0}", + "SSE.Views.Statusbar.sheetIndexText": "Sayfa {0}/{1}", "SSE.Views.Statusbar.textAverage": "Ortalama", "SSE.Views.Statusbar.textCount": "Miktar", "SSE.Views.Statusbar.textMax": "Maks", @@ -3197,7 +3221,7 @@ "SSE.Views.Toolbar.capBtnAddComment": "Yorum Ekle", "SSE.Views.Toolbar.capBtnColorSchemas": "Renk uyumu", "SSE.Views.Toolbar.capBtnComment": "Yorum yap", - "SSE.Views.Toolbar.capBtnInsHeader": "Üstbilgi/dipnot", + "SSE.Views.Toolbar.capBtnInsHeader": "Üst/Alt Bilgi", "SSE.Views.Toolbar.capBtnInsSlicer": "Dilimleyici", "SSE.Views.Toolbar.capBtnInsSymbol": "Simge", "SSE.Views.Toolbar.capBtnMargins": "Kenar Boşlukları", @@ -3212,7 +3236,7 @@ "SSE.Views.Toolbar.capImgGroup": "Grup", "SSE.Views.Toolbar.capInsertChart": "Grafik", "SSE.Views.Toolbar.capInsertEquation": "Denklem", - "SSE.Views.Toolbar.capInsertHyperlink": "Hiper Link", + "SSE.Views.Toolbar.capInsertHyperlink": "Köprü", "SSE.Views.Toolbar.capInsertImage": "Resim", "SSE.Views.Toolbar.capInsertShape": "Şekil", "SSE.Views.Toolbar.capInsertSpark": "Mini grafik", @@ -3256,7 +3280,7 @@ "SSE.Views.Toolbar.textInsDown": "Hücreleri aşağı kaydır", "SSE.Views.Toolbar.textInsideBorders": "İç Sınırlar", "SSE.Views.Toolbar.textInsRight": "Hücreleri sağa kaydır", - "SSE.Views.Toolbar.textItalic": "İtalik", + "SSE.Views.Toolbar.textItalic": "Eğik", "SSE.Views.Toolbar.textItems": "Öğeler", "SSE.Views.Toolbar.textLandscape": "Yatay", "SSE.Views.Toolbar.textLeft": "Sol:", @@ -3291,10 +3315,10 @@ "SSE.Views.Toolbar.textSubscript": "Alt Simge", "SSE.Views.Toolbar.textSubSuperscript": "Alt Simge/Üst Simge", "SSE.Views.Toolbar.textSuperscript": "Üst Simge", - "SSE.Views.Toolbar.textTabCollaboration": "Ortak çalışma", + "SSE.Views.Toolbar.textTabCollaboration": "Ortak Çalışma", "SSE.Views.Toolbar.textTabData": "Veri", "SSE.Views.Toolbar.textTabFile": "Dosya", - "SSE.Views.Toolbar.textTabFormula": "formül", + "SSE.Views.Toolbar.textTabFormula": "Formül", "SSE.Views.Toolbar.textTabHome": "Ana Sayfa", "SSE.Views.Toolbar.textTabInsert": "Ekle", "SSE.Views.Toolbar.textTabLayout": "Yerleşim", @@ -3311,7 +3335,7 @@ "SSE.Views.Toolbar.tipAlignBottom": "Alta Hizala", "SSE.Views.Toolbar.tipAlignCenter": "Ortaya Hizala", "SSE.Views.Toolbar.tipAlignJust": "İki yana yaslı", - "SSE.Views.Toolbar.tipAlignLeft": "Sola Hizala", + "SSE.Views.Toolbar.tipAlignLeft": "Sola hizala", "SSE.Views.Toolbar.tipAlignMiddle": "Ortaya hizala", "SSE.Views.Toolbar.tipAlignRight": "Sağa Hizala", "SSE.Views.Toolbar.tipAlignTop": "Üste Hizala", @@ -3326,7 +3350,7 @@ "SSE.Views.Toolbar.tipCopy": "Kopyala", "SSE.Views.Toolbar.tipCopyStyle": "Stili Kopyala", "SSE.Views.Toolbar.tipDecDecimal": "Ondalık Azalt", - "SSE.Views.Toolbar.tipDecFont": "Yazı Boyutu Azaltımı", + "SSE.Views.Toolbar.tipDecFont": "Yazı boyutunu azalt", "SSE.Views.Toolbar.tipDeleteOpt": "Hücre Sil", "SSE.Views.Toolbar.tipDigStyleAccounting": "Accounting Style", "SSE.Views.Toolbar.tipDigStyleCurrency": "Kur Stili", @@ -3334,18 +3358,18 @@ "SSE.Views.Toolbar.tipEditChart": "Grafiği Düzenle", "SSE.Views.Toolbar.tipEditChartData": "Veri Seç", "SSE.Views.Toolbar.tipEditChartType": "Grafik Tipini Değiştir", - "SSE.Views.Toolbar.tipEditHeader": "Alt ya da üst başlığı düzenle", + "SSE.Views.Toolbar.tipEditHeader": "Alt veya üst bilgiyi düzenle", "SSE.Views.Toolbar.tipFontColor": "Yazı Tipi Rengi", "SSE.Views.Toolbar.tipFontName": "Yazı Tipi", "SSE.Views.Toolbar.tipFontSize": "Yazıtipi boyutu", "SSE.Views.Toolbar.tipImgAlign": "Objeleri hizala", "SSE.Views.Toolbar.tipImgGroup": "Grup objeleri", "SSE.Views.Toolbar.tipIncDecimal": "Ondalık Arttır", - "SSE.Views.Toolbar.tipIncFont": "Yazı Tipi Boyut Arttırımı", + "SSE.Views.Toolbar.tipIncFont": "Yazı boyutunu arttır", "SSE.Views.Toolbar.tipInsertChart": "Tablo ekle", "SSE.Views.Toolbar.tipInsertChartSpark": "Tablo ekle", "SSE.Views.Toolbar.tipInsertEquation": "Denklem Ekle", - "SSE.Views.Toolbar.tipInsertHyperlink": "Hiperbağ ekle", + "SSE.Views.Toolbar.tipInsertHyperlink": "Köprü Ekle", "SSE.Views.Toolbar.tipInsertImage": "Resim ekle", "SSE.Views.Toolbar.tipInsertOpt": "Hücre Ekle", "SSE.Views.Toolbar.tipInsertShape": "Otomatik Şekil ekle", @@ -3354,7 +3378,13 @@ "SSE.Views.Toolbar.tipInsertSymbol": "Simge ekle", "SSE.Views.Toolbar.tipInsertTable": "Tablo ekle", "SSE.Views.Toolbar.tipInsertText": "Metin kutusu ekle", - "SSE.Views.Toolbar.tipInsertTextart": "Metin Art 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ı", @@ -3365,7 +3395,7 @@ "SSE.Views.Toolbar.tipPrint": "Yazdır", "SSE.Views.Toolbar.tipPrintArea": "Yazdırma Alanı", "SSE.Views.Toolbar.tipPrintTitles": "Başlıkları yazdır", - "SSE.Views.Toolbar.tipRedo": "Tekrar yap", + "SSE.Views.Toolbar.tipRedo": "Yinele", "SSE.Views.Toolbar.tipSave": "Kaydet", "SSE.Views.Toolbar.tipSaveCoauth": "Diğer kullanıcıların görmesi için değişikliklerinizi kaydedin.", "SSE.Views.Toolbar.tipScale": "Sığdırmak için Ölçekle", @@ -3384,7 +3414,7 @@ "SSE.Views.Toolbar.txtClearFilter": "Filtreyi Temizle", "SSE.Views.Toolbar.txtClearFormat": "Biçim", "SSE.Views.Toolbar.txtClearFormula": "Fonksiyon", - "SSE.Views.Toolbar.txtClearHyper": "Hiper bağlar", + "SSE.Views.Toolbar.txtClearHyper": "Köprüler", "SSE.Views.Toolbar.txtClearText": "Metin", "SSE.Views.Toolbar.txtCurrency": "Kur", "SSE.Views.Toolbar.txtCustom": "Özel", @@ -3497,7 +3527,9 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "Şu anda etkin olan '%1' görünümünü silmeye çalışıyorsunuz.
Bu görünüm kapatılıp silinsin mi?", "SSE.Views.ViewTab.capBtnFreeze": "Parçaları Dondur", "SSE.Views.ViewTab.capBtnSheetView": "Sayfa Görünümü", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "Her zaman araç çubuğunu göster", "SSE.Views.ViewTab.textClose": "Kapat", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Sayfa ve durum çubuklarını birleştirin", "SSE.Views.ViewTab.textCreate": "yeni", "SSE.Views.ViewTab.textDefault": "varsayılan", "SSE.Views.ViewTab.textFormula": "Formül çubuğu", diff --git a/apps/spreadsheeteditor/main/locale/uk.json b/apps/spreadsheeteditor/main/locale/uk.json index d4d422608..e26b50c64 100644 --- a/apps/spreadsheeteditor/main/locale/uk.json +++ b/apps/spreadsheeteditor/main/locale/uk.json @@ -2,33 +2,55 @@ "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": "Нормована з областями та накопиченням", "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.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": "Тривимірна лінійчата з групуванням", + "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.textLineSpark": "Лінія", + "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": "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": "Win / Loss", "Common.define.conditionalData.exampleText": "АаВвБбЯя", + "Common.define.conditionalData.noFormatText": "Формат не заданий", "Common.define.conditionalData.text1Above": "На 1 стандартне відхилення вище", "Common.define.conditionalData.text1Below": "На 1 стандартне відхилення нижче", "Common.define.conditionalData.text2Above": "На 2 стандартні відхилення вище", @@ -41,7 +63,46 @@ "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": "Немає кордонів", @@ -53,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": "Введіть текст заміни", @@ -67,6 +130,9 @@ "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": "Немає", @@ -90,19 +156,42 @@ "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": "Розпізнані функції повинні містити тільки прописні букви від А до Я.", "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": "За автором від А до Я", "Common.Views.Comments.mniAuthorDesc": "За автором від Я до А", + "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": "OК", "Common.Views.Comments.textEnterCommentHint": "Введіть свій коментар тут", @@ -111,6 +200,8 @@ "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": "Копіювати, вирізати та вставити дії", @@ -119,36 +210,82 @@ "Common.Views.CopyWarningDialog.textToPaste": "Для вставлення", "Common.Views.DocumentAccessDialog.textLoading": "Завантаження...", "Common.Views.DocumentAccessDialog.textTitle": "Налаштування спільного доступу", - "Common.Views.Header.labelCoUsersDescr": "В даний час документ редагується кількома користувачами.", + "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.textBack": "Відкрити розташування файлу", "Common.Views.Header.textCompactView": "Сховати панель інструментів", + "Common.Views.Header.textHideLines": "Сховати лінійки", + "Common.Views.Header.textHideStatusBar": "Об'єднати рядки листів та стану", + "Common.Views.Header.textRemoveFavorite": "Видалити з вибраного", "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": "Вставити URL зображення:", "Common.Views.ImageFromUrlDialog.txtEmpty": "Це поле є обов'язковим", "Common.Views.ImageFromUrlDialog.txtNotUrl": "Це поле має бути URL-адресою у форматі \"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": "Плагіни", @@ -156,31 +293,156 @@ "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": "Код знака з Юнікод (шістн.)", + "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": "Коротке тире", + "Common.Views.SymbolTableDialog.textEnSpace": "Короткий пробіл", + "Common.Views.SymbolTableDialog.textFont": "Шрифт", + "Common.Views.SymbolTableDialog.textNBHyphen": "Нерозривний дефіс", + "Common.Views.SymbolTableDialog.textNBSpace": "Нерозривний пробіл", + "Common.Views.SymbolTableDialog.textPilcrow": "Знак абзацу", "Common.Views.SymbolTableDialog.textQEmSpace": "1/4 пробілу", + "Common.Views.SymbolTableDialog.textRange": "Діапазон", + "Common.Views.SymbolTableDialog.textRecent": "Раніше вживані символи", + "Common.Views.SymbolTableDialog.textRegistered": "Зареєстрований товарний знак", + "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": "Видалити колону", @@ -202,6 +464,8 @@ "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": "Вище середнього", @@ -216,13 +480,17 @@ "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": "видалити розрив", @@ -231,14 +499,22 @@ "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": "Висота", "SSE.Controllers.DocumentHolder.txtHideBottom": "Сховати нижню межу", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Сховати нижню межу", @@ -254,18 +530,28 @@ "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": "Вставити", @@ -285,10 +571,13 @@ "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": "Видалити верхній індекс", @@ -304,16 +593,33 @@ "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} угоди були пропущені.", @@ -324,15 +630,18 @@ "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": "Натисніть \"OK\", щоб повернутися до списку документів.", "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": "Недозволена дія, оскільки ви намагаєтесь пересунути комірки до таблиці вашого робочого аркушу.", @@ -340,6 +649,11 @@ "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": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.", "SSE.Controllers.Main.errorCopyMultiselectArea": "Ця команда не може бути використана з декількома вибору.
Виберіть один діапазон і спробуйте ще раз.", @@ -347,46 +661,74 @@ "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.errorFilePassProtect": "Документ захищений паролем і його неможливо відкрити.", + "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 символів.
Використовуйте функцію ЗЧЕПИТИ або оператор зчеплення (&).", "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.errorOpenWarning": "Довжина однієї з формул у файлі перевищила дозволену
кількість символів, і вона була вилучена.", + "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": "Неправильний пароль.
Переконайтеся, що вимкнено клавішу CAPS LOCK і використовується правильний регістр.", "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": "Токен безпеки документа не правильно сформовано.
Будь ласка, зв'яжіться з адміністратором вашого Сервера документів.", "SSE.Controllers.Main.errorTokenExpire": "Термін дії токену безпеки документа закінчився.
Будь ласка, зв'яжіться зі своїм адміністратором сервера документів.", "SSE.Controllers.Main.errorUnexpectedGuid": "Зовнішня помилка.
Неочікуваний GUID. Будь ласка, зв'яжіться зі службою підтримки, якщо помилка не зникне.", "SSE.Controllers.Main.errorUpdateVersion": "Версія файлу була змінена. Сторінка буде перезавантажена.", + "SSE.Controllers.Main.errorUpdateVersionOnDisconnect": "Підключення до Інтернету було відновлено, а версія файлу змінена.
Перш ніж продовжувати роботу, потрібно завантажити файл або скопіювати його вміст, щоб переконатися, що нічого не втрачено, а потім перезавантажити цю сторінку.", "SSE.Controllers.Main.errorUserDrop": "На даний момент файл не доступний.", "SSE.Controllers.Main.errorUsersExceed": "Перевищено кількість користувачів, дозволених планом ціноутворення", - "SSE.Controllers.Main.errorViewerDisconnect": "З'єднання втрачено. Ви все ще можете переглядати документ
, але не зможете завантажувати чи роздруковувати, доки не буде відновлено з'єднання.", + "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": "Всі незбережені зміни в цій електронній таблиці будуть втрачені.
Натисніть кнопку \"Скасувати\", а потім натисніть кнопку \"Зберегти\", щоб зберегти їх. Натисніть кнопку \"OK\", щоб скинути всі незбережені зміни.", "SSE.Controllers.Main.loadFontsTextText": "Завантаження дати...", @@ -399,7 +741,7 @@ "SSE.Controllers.Main.loadImageTitleText": "Завантаження зображення", "SSE.Controllers.Main.loadingDocumentTitleText": "Завантаження електронної таблиці", "SSE.Controllers.Main.notcriticalErrorTitle": "Застереження", - "SSE.Controllers.Main.openErrorText": "Під час відкриття файлу сталася помилка", + "SSE.Controllers.Main.openErrorText": "Під час відкриття файлу сталася помилка.", "SSE.Controllers.Main.openTextText": "Відкриття електронної таблиці...", "SSE.Controllers.Main.openTitleText": "Відкриття електронної таблиці", "SSE.Controllers.Main.pastInMergeAreaError": "Неможливо змінити частину об'єднаної комірки", @@ -408,23 +750,45 @@ "SSE.Controllers.Main.reloadButtonText": "Перезавантажити сторінку", "SSE.Controllers.Main.requestEditFailedMessageText": "Хтось редагує цей документ прямо зараз. Будь-ласка спробуйте пізніше.", "SSE.Controllers.Main.requestEditFailedTitleText": "Доступ заборонено", - "SSE.Controllers.Main.saveErrorText": "Під час збереження файлу сталася помилка", + "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": "Файл містить автоматичні макроси.
Запустити макроси?", + "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": "ONLYOFFICE відкрита версія", + "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": "Функції Undo / Redo відключені для режиму швидкого редагування.
Натисніть кнопку \"Суворий режим\", щоб перейти до режиму суворого редагування, щоб редагувати файл без втручання інших користувачів та відправляти зміни лише після збереження. Ви можете переключатися між режимами спільного редагування за допомогою редактора Додаткові параметри.", + "SSE.Controllers.Main.textTryUndoRedoWarn": "Функції скасування і повтору дій відключені для режиму швидкого спільного редагування.", "SSE.Controllers.Main.textYes": "Так", "SSE.Controllers.Main.titleLicenseExp": "Термін дії ліцензії закінчився", "SSE.Controllers.Main.titleServerVersion": "Редактор оновлено", @@ -437,25 +801,184 @@ "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": "10-кінцева зірка", "SSE.Controllers.Main.txtShape_star12": "12-кінцева зірка", "SSE.Controllers.Main.txtShape_star16": "16-кінцева зірка", @@ -466,6 +989,21 @@ "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": "Розрахунок", @@ -488,37 +1026,70 @@ "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": "Максимальний розмір зображення перевищено.", + "SSE.Controllers.Main.uploadImageSizeMessage": "Занадто велике зображення. Максимальний розмір – 25 MB.", "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.warnNoLicense": "Ви використовуєте відкриту версію %1. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз).
Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.", + "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.warnDeleteSheet": "Робочий аркуш може містити дані. Ви впевнені, що хочете продовжити?", + "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": "Межі та логарифми", @@ -527,7 +1098,10 @@ "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": "Гострий", @@ -598,6 +1172,7 @@ "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": "Обмотана фракція", @@ -636,6 +1211,7 @@ "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", @@ -706,6 +1282,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 Порожня матриця", @@ -851,9 +1428,20 @@ "SSE.Controllers.Toolbar.txtSymbol_vdots": "Вертикальний Еліпсіс", "SSE.Controllers.Toolbar.txtSymbol_xsi": "ксі", "SSE.Controllers.Toolbar.txtSymbol_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": "Спеціальний фільтр", @@ -875,9 +1463,11 @@ "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": "Не рівний...", @@ -887,9 +1477,12 @@ "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": "Вставити функцію", @@ -898,19 +1491,97 @@ "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": "Значення Х", + "SSE.Views.ChartDataRangeDialog.txtYValues": "Значення Y", "SSE.Views.ChartSettings.strLineWeight": "Line Weight", "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": "Перша точка", @@ -928,11 +1599,13 @@ "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.textAltTip": "Альтернативне текстове представлення інформації про візуальний об'єкт, яке може бути прочитано людям із порушеннями зору або когнітивними дисфункціями, щоб вони могли краще зрозуміти, яка інформація міститься в зображенні, автофігурі, діаграмі або таблиці.", "SSE.Views.ChartSettingsDlg.textAltTitle": "Назва", "SSE.Views.ChartSettingsDlg.textAuto": "Авто", "SSE.Views.ChartSettingsDlg.textAutoEach": "Авто для кожного", @@ -940,6 +1613,7 @@ "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": "Внизу", @@ -957,12 +1631,15 @@ "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": "Сотні", @@ -1000,6 +1677,7 @@ "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": "Зовнішній зверху", @@ -1021,6 +1699,7 @@ "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": "Стиль", @@ -1032,23 +1711,123 @@ "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": "URL 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": "Отримати дані з текстового/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": "не закінчується з", @@ -1070,6 +1849,7 @@ "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": "Вирівняти посередині", @@ -1093,6 +1873,10 @@ "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": "Надіслати до фону", @@ -1100,18 +1884,42 @@ "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": "Дисп", "SSE.Views.DocumentHolder.topCellText": "Вирівняти догори", "SSE.Views.DocumentHolder.txtAccounting": "Фінансовий", "SSE.Views.DocumentHolder.txtAddComment": "Додати коментар", @@ -1130,26 +1938,38 @@ "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": "Пересунути комірки ліворуч", @@ -1161,37 +1981,77 @@ "SSE.Views.DocumentHolder.txtSortCellColor": "Вибраний колір комірки згори", "SSE.Views.DocumentHolder.txtSortFontColor": "Вибраний колір шрифту зверху", "SSE.Views.DocumentHolder.txtSparklines": "Міні-діграми", - "SSE.Views.DocumentHolder.txtTextAdvanced": "Розширенні налаштування тексту", + "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.FileMenu.btnBackCaption": "Перейти до документів", + "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": "StdDev", + "SSE.Views.FieldSettingsDialog.txtStdDevp": "Станд.відхилення", + "SSE.Views.FieldSettingsDialog.txtSum": "Сума", + "SSE.Views.FieldSettingsDialog.txtSummarize": "Функції для проміжних підсумків", + "SSE.Views.FieldSettingsDialog.txtTabular": "У вигляді таблиці", + "SSE.Views.FieldSettingsDialog.txtTop": "Показувати у заголовку групи", + "SSE.Views.FieldSettingsDialog.txtVar": "Дисп", + "SSE.Views.FieldSettingsDialog.txtVarp": "Диспр", + "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.txtTitle": "Назва", + "SSE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Завантажена", "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Змінити права доступу", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Особи, які мають права", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Застосувати", @@ -1200,17 +2060,26 @@ "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": "Додавати версію до сховища після натискання кнопки Зберегти або 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": "Роздільник тисяч", "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 хвилин", @@ -1219,24 +2088,77 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "Автовідновлення", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "Автозбереження", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Заблокований", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Зберегти на сервері", + "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.txtLiveComment": "Дісплей коментування", + "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.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.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": "Двоколірна шкала", "SSE.Views.FormatRulesEditDlg.text3Scales": "Триколірна шкала", "SSE.Views.FormatRulesEditDlg.textAllBorders": "Всі кордони", @@ -1250,9 +2172,94 @@ "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": "Такий тип посилання не можна використовувати у формулі умовного форматування.
Змініть посилання так, щоб воно вказувало на одну клітинку, або помістіть посилання у функцію. Наприклад: = СУМ(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 стандартні відхилення вище середнього", @@ -1261,10 +2268,43 @@ "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": "Формат числа", @@ -1277,9 +2317,11 @@ "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": "Приклад:", @@ -1292,59 +2334,140 @@ "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": "Текст ScreenTip", "SSE.Views.HyperlinkSettingsDialog.textTitle": "Налаштування гіперсилки", "SSE.Views.HyperlinkSettingsDialog.txtEmpty": "Це поле є обов'язковим", "SSE.Views.HyperlinkSettingsDialog.txtNotUrl": "Це поле має бути URL-адресою у форматі \"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.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.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": "Внизу", @@ -1353,9 +2476,12 @@ "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": "Підібрати всі рядки на одній сторінці", @@ -1364,6 +2490,9 @@ "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": "Визначене ім'я", @@ -1385,6 +2514,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": "Редагувати", @@ -1404,7 +2534,10 @@ "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": "після", @@ -1418,21 +2551,31 @@ "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.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": "Видалити усе", @@ -1443,18 +2586,116 @@ "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": "ландшафт", @@ -1462,15 +2703,20 @@ "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": "Масштабування", @@ -1478,26 +2724,143 @@ "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.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": "Використовувати зведену таблицю та зведену діаграму", + "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.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": "Налаштування текст Art", "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": "Колір фону", @@ -1506,8 +2869,9 @@ "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.strStroke": "Контур", "SSE.Views.ShapeSettings.strTransparency": "Непрозорість", "SSE.Views.ShapeSettings.strType": "Тип", "SSE.Views.ShapeSettings.textAdvanced": "Показати додаткові налаштування", @@ -1516,23 +2880,34 @@ "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.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": "Картинка", @@ -1547,9 +2922,10 @@ "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.textAltTip": "Альтернативне текстове представлення інформації про візуальний об'єкт, яке може бути прочитано людям із порушеннями зору або когнітивними дисфункціями, щоб вони могли краще зрозуміти, яка інформація міститься в зображенні, автофігурі, діаграмі або таблиці.", "SSE.Views.ShapeSettingsAdvanced.textAltTitle": "Назва", "SSE.Views.ShapeSettingsAdvanced.textAngle": "Нахил", "SSE.Views.ShapeSettingsAdvanced.textArrows": "Стрілки", @@ -1565,28 +2941,115 @@ "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": "Мітер", + "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": "Від А до Я", + "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": "Від Я до А", + "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": "Від А до Я", + "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": "Від Я до А", + "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": "Додати рівень", @@ -1595,52 +3058,123 @@ "SSE.Views.SortDialog.textAZ": "Від А до Я", "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": "Від Я до А", "SSE.Views.SortDialog.txtInvalidRange": "Недійсний діапазон комірок.", + "SSE.Views.SortDialog.txtTitle": "Сортування", "SSE.Views.SortFilterDialog.textAsc": "За зростанням (від А до Я)", + "SSE.Views.SortFilterDialog.textDesc": "За спаданням (від Я до А)", + "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.textCopyBefore": "Вставити перед листом", "SSE.Views.Statusbar.CopyDialog.textMoveBefore": "Перемістити перед листом", "SSE.Views.Statusbar.filteredRecordsText": "{0} з {1} записів відфільтровано", "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.textAverage": "СЕРЕДНІЙ", - "SSE.Views.Statusbar.textCount": "РАХУВАТИ", + "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": "Видалити рядок", @@ -1654,6 +3188,7 @@ "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": "Колонки", @@ -1668,10 +3203,13 @@ "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": "Загалом", @@ -1687,7 +3225,7 @@ "SSE.Views.TextArtSettings.strForeground": "Колір переднього плану", "SSE.Views.TextArtSettings.strPattern": "Візерунок", "SSE.Views.TextArtSettings.strSize": "Розмір", - "SSE.Views.TextArtSettings.strStroke": "Штрих", + "SSE.Views.TextArtSettings.strStroke": "Контур", "SSE.Views.TextArtSettings.strTransparency": "Непрозорість", "SSE.Views.TextArtSettings.strType": "Тип", "SSE.Views.TextArtSettings.textAngle": "Кут", @@ -1697,12 +3235,13 @@ "SSE.Views.TextArtSettings.textEmptyPattern": "Немає шаблону", "SSE.Views.TextArtSettings.textFromFile": "З файлу", "SSE.Views.TextArtSettings.textFromUrl": "З URL", - "SSE.Views.TextArtSettings.textGradient": "Градієнт", + "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": "Розтягнути", @@ -1712,6 +3251,7 @@ "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": "Картинка", @@ -1725,17 +3265,31 @@ "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": "Зображення з URL", "SSE.Views.Toolbar.textAddPrintArea": "Додати до області друку", "SSE.Views.Toolbar.textAlignBottom": "Вирівняти знизу", @@ -1754,31 +3308,61 @@ "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": "Файл", @@ -1786,8 +3370,16 @@ "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": "Вирівняти центр", @@ -1800,8 +3392,10 @@ "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": "Зменшити десяткове значення", @@ -1811,10 +3405,14 @@ "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": "Вставити діаграму", @@ -1824,16 +3422,37 @@ "SSE.Views.Toolbar.tipInsertImage": "Вставити зображення", "SSE.Views.Toolbar.tipInsertOpt": "Вставити комірки", "SSE.Views.Toolbar.tipInsertShape": "вставити автофігури", - "SSE.Views.Toolbar.tipInsertText": "Вставити текст", + "SSE.Views.Toolbar.tipInsertSlicer": "Вставити зріз", + "SSE.Views.Toolbar.tipInsertSpark": "Вставити спарклайн", + "SSE.Views.Toolbar.tipInsertSymbol": "Вставити символ", + "SSE.Views.Toolbar.tipInsertTable": "Вставити таблицю", + "SSE.Views.Toolbar.tipInsertText": "Вставити напис", "SSE.Views.Toolbar.tipInsertTextart": "Вставити текст Art", - "SSE.Views.Toolbar.tipMerge": "Злиття", + "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": "Номер формату", + "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": "Друкувати заголовки", "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": "Скасувати", @@ -1841,6 +3460,7 @@ "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": "Очистити фільтр", @@ -1862,7 +3482,7 @@ "SSE.Views.Toolbar.txtFranc": "CHF Швейцарський франк", "SSE.Views.Toolbar.txtGeneral": "Загальні", "SSE.Views.Toolbar.txtInteger": "Ціле число", - "SSE.Views.Toolbar.txtManageRange": "Менеджер імен", + "SSE.Views.Toolbar.txtManageRange": "Диспетчер назв", "SSE.Views.Toolbar.txtMergeAcross": "Злиття навколо", "SSE.Views.Toolbar.txtMergeCells": "Об'єднати комірки", "SSE.Views.Toolbar.txtMergeCenter": "Поля і центр", @@ -1888,6 +3508,7 @@ "SSE.Views.Toolbar.txtScheme2": "Градація сірого", "SSE.Views.Toolbar.txtScheme20": "Міський", "SSE.Views.Toolbar.txtScheme21": "Здібність", + "SSE.Views.Toolbar.txtScheme22": "Нова офісна", "SSE.Views.Toolbar.txtScheme3": "Верх", "SSE.Views.Toolbar.txtScheme4": "Аспект", "SSE.Views.Toolbar.txtScheme5": "Громадянський", @@ -1908,14 +3529,91 @@ "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": "Топ 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": "Базовий елемент", "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": "StdDev", + "SSE.Views.ValueFieldSettingsDialog.txtStdDevp": "Станд.відхилення", + "SSE.Views.ValueFieldSettingsDialog.txtSum": "Сума", + "SSE.Views.ValueFieldSettingsDialog.txtSummarize": "Операція", + "SSE.Views.ValueFieldSettingsDialog.txtVar": "Дисп", + "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": "Подання ще не створені.", + "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.txtAllowRanges": "Дозволити редагувати діапазони" + "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 4c2f678e7..b37610800 100644 --- a/apps/spreadsheeteditor/main/locale/zh.json +++ b/apps/spreadsheeteditor/main/locale/zh.json @@ -68,7 +68,7 @@ "Common.define.conditionalData.textContains": "包含", "Common.define.conditionalData.textDataBar": "数据栏", "Common.define.conditionalData.textDate": "日期", - "Common.define.conditionalData.textDuplicate": "复制", + "Common.define.conditionalData.textDuplicate": "重复", "Common.define.conditionalData.textEnds": "结尾为", "Common.define.conditionalData.textEqAbove": "等于或高于", "Common.define.conditionalData.textEqBelow": "等于或低于", @@ -114,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": "输入替换文字", @@ -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,7 @@ "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": "复制,剪切和粘贴操作", @@ -242,10 +247,10 @@ "Common.Views.ImageFromUrlDialog.textUrl": "粘贴图片网址:", "Common.Views.ImageFromUrlDialog.txtEmpty": "这是必填栏", "Common.Views.ImageFromUrlDialog.txtNotUrl": "该字段应该是“http://www.example.com”格式的URL", - "Common.Views.ListSettingsDialog.textBulleted": "已添加项目点", + "Common.Views.ListSettingsDialog.textBulleted": "已添加项目符号", "Common.Views.ListSettingsDialog.textNumbering": "标号", "Common.Views.ListSettingsDialog.tipChange": "修改项目点", - "Common.Views.ListSettingsDialog.txtBullet": "项目点", + "Common.Views.ListSettingsDialog.txtBullet": "项目符号", "Common.Views.ListSettingsDialog.txtColor": "颜色", "Common.Views.ListSettingsDialog.txtNewBullet": "添加一个新的项目点", "Common.Views.ListSettingsDialog.txtNone": "无", @@ -364,6 +369,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": "载入中", @@ -433,7 +439,7 @@ "SSE.Controllers.DataTab.txtExpandRemDuplicates": "所选内容旁边的数据将不会被删除。您要扩展选择范围以包括相邻数据还是仅继续使用当前选定的单元格?", "SSE.Controllers.DataTab.txtExtendDataValidation": "选定区域中的某些单元格尚未设置“数据有效性”。
是否将“数据有效性”设置扩展到这些单元格?", "SSE.Controllers.DataTab.txtImportWizard": "文本导入向导", - "SSE.Controllers.DataTab.txtRemDuplicates": "移除多次出现的元素", + "SSE.Controllers.DataTab.txtRemDuplicates": "移除重复的元素", "SSE.Controllers.DataTab.txtRemoveDataValidation": "选定区域含有多种类型的数据有效性。
是否清除当前设置并继续?", "SSE.Controllers.DataTab.txtRemSelected": "移除选定的", "SSE.Controllers.DataTab.txtUrlTitle": "粘贴URL数据", @@ -474,6 +480,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": "在平均值以下", @@ -483,6 +490,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 +514,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "大于或等于", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "字符在文字上", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "文字下的Char", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "返回表格或指定表格列的列头", "SSE.Controllers.DocumentHolder.txtHeight": "高低", "SSE.Controllers.DocumentHolder.txtHideBottom": "隐藏下边框", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "隐藏下限", @@ -584,7 +593,9 @@ "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": "使用文本导入向导", @@ -630,7 +641,7 @@ "SSE.Controllers.Main.downloadErrorText": "下载失败", "SSE.Controllers.Main.downloadTextText": "正在下载试算表...", "SSE.Controllers.Main.downloadTitleText": "下载电子表格", - "SSE.Controllers.Main.errNoDuplicates": "未找到重复的数值", + "SSE.Controllers.Main.errNoDuplicates": "未找重复值。", "SSE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。
请联系您的文档服务器管理员.", "SSE.Controllers.Main.errorArgsRange": "一个错误的输入公式。< br >使用不正确的参数范围。", "SSE.Controllers.Main.errorAutoFilterChange": "不允许操作,因为它正在尝试在工作表上的表格中移动单元格。", @@ -639,6 +650,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "无法执行操作,因为该区域包含已过滤的单元格。
请取消隐藏已过滤的元素,然后重试。", "SSE.Controllers.Main.errorBadImageUrl": "图片地址不正确", "SSE.Controllers.Main.errorCannotUngroup": "无法解组。若要开始轮廓,请选择详细信息行或列并对其进行分组。", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "受保护的工作表不允许进行该操作。要进行该操作,请先取消工作表的保护。
您可能需要输入密码。", "SSE.Controllers.Main.errorChangeArray": "您无法更改部分阵列。", "SSE.Controllers.Main.errorChangeFilteredRange": "这将更改工作表原有的筛选范围。
要完成此操作,请移除“自动筛选”。", "SSE.Controllers.Main.errorChangeOnProtectedSheet": "尝试更改的单元格或图表位于受保护的工作表上。
如要更改请把工作表解锁。会有可能要修您输入簿密码。", @@ -716,7 +728,7 @@ "SSE.Controllers.Main.errorWrongBracketsCount": "一个错误的输入公式。< br >用括号打错了。", "SSE.Controllers.Main.errorWrongOperator": "公式输入发生错误。操作不当,请改正!", "SSE.Controllers.Main.errorWrongPassword": "你提供的密码不正确。", - "SSE.Controllers.Main.errRemDuplicates": "发现多次出现的值: {0}, 已经删除。 只留下惟一的值: {1}.", + "SSE.Controllers.Main.errRemDuplicates": "发现重复值: {0}, 已经删除。 只留下唯一的值: {1}.", "SSE.Controllers.Main.leavePageText": "您在本电子表格中有未保存的更改。点击“留在这个页面”,然后点击“保存”保存。点击“离开此页面”,放弃所有未保存的更改。", "SSE.Controllers.Main.leavePageTextOnClose": "将丢失表格里所有的未保存更改。
单击“取消”然后“保存”以保存好更改。单击“确定”以放弃所有未保存的更改。", "SSE.Controllers.Main.loadFontsTextText": "数据加载中…", @@ -769,6 +781,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": "输入名称,可用于协作。", @@ -1060,6 +1073,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": "所选定的工作表可能包含数据。您确定要继续吗?", @@ -1085,6 +1099,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": "符号", @@ -1335,7 +1350,7 @@ "SSE.Controllers.Toolbar.txtSymbol_ast": "星号运营商", "SSE.Controllers.Toolbar.txtSymbol_beta": "测试版", "SSE.Controllers.Toolbar.txtSymbol_beth": "打赌", - "SSE.Controllers.Toolbar.txtSymbol_bullet": "着重号操作", + "SSE.Controllers.Toolbar.txtSymbol_bullet": "项目符号操作", "SSE.Controllers.Toolbar.txtSymbol_cap": "路口", "SSE.Controllers.Toolbar.txtSymbol_cbrt": "立方根", "SSE.Controllers.Toolbar.txtSymbol_cdots": "中线水平省略号", @@ -1426,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": "空白", @@ -1729,7 +1746,7 @@ "SSE.Views.DataTab.capBtnGroup": "分组", "SSE.Views.DataTab.capBtnTextCustomSort": "自定义排序", "SSE.Views.DataTab.capBtnTextDataValidation": "数据校验", - "SSE.Views.DataTab.capBtnTextRemDuplicates": "移除多次出现的元素", + "SSE.Views.DataTab.capBtnTextRemDuplicates": "移除重复的元素", "SSE.Views.DataTab.capBtnTextToCol": "文本分列向导", "SSE.Views.DataTab.capBtnUngroup": "取消组合", "SSE.Views.DataTab.capDataFromText": "获取数据", @@ -1746,7 +1763,7 @@ "SSE.Views.DataTab.tipDataFromText": "从文本/CSV文件中获取数据", "SSE.Views.DataTab.tipDataValidation": "数据校验", "SSE.Views.DataTab.tipGroup": "单元组范围", - "SSE.Views.DataTab.tipRemDuplicates": "从表单中移除多次出现的行", + "SSE.Views.DataTab.tipRemDuplicates": "从表单中移除重复的行", "SSE.Views.DataTab.tipToColumns": "将单元格文本分隔成列", "SSE.Views.DataTab.tipUngroup": "取消单元格范围分组", "SSE.Views.DataValidationDialog.errorFormula": "该值当前包含错误。是否继续?", @@ -1834,7 +1851,7 @@ "SSE.Views.DocumentHolder.advancedShapeText": "形状高级设置", "SSE.Views.DocumentHolder.advancedSlicerText": "切片器高级设置", "SSE.Views.DocumentHolder.bottomCellText": "底部对齐", - "SSE.Views.DocumentHolder.bulletsText": "子弹和编号", + "SSE.Views.DocumentHolder.bulletsText": "符号和编号", "SSE.Views.DocumentHolder.centerCellText": "居中对齐", "SSE.Views.DocumentHolder.chartText": "图表高级设置", "SSE.Views.DocumentHolder.deleteColumnText": "列", @@ -1872,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": "垂直翻转", @@ -2241,6 +2259,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", @@ -2402,6 +2421,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": "翻转", @@ -2416,6 +2436,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": "大小", @@ -2470,7 +2491,7 @@ "SSE.Views.MainSettingsPrint.textPrintGrid": "打印网格线", "SSE.Views.MainSettingsPrint.textPrintHeadings": "打印行和列标题", "SSE.Views.MainSettingsPrint.textRepeat": "重复...", - "SSE.Views.MainSettingsPrint.textRepeatLeft": "移除左侧的列", + "SSE.Views.MainSettingsPrint.textRepeatLeft": "在左侧重复一列", "SSE.Views.MainSettingsPrint.textRepeatTop": "在顶部重复一行", "SSE.Views.MainSettingsPrint.textSettings": "设置", "SSE.Views.NamedRangeEditDlg.errorCreateDefName": "无法编辑现有的命名范围,因此无法在其中编辑新的范围。", @@ -2493,6 +2514,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": "编辑", @@ -2704,7 +2726,7 @@ "SSE.Views.PrintSettings.textPrintRange": "打印范围", "SSE.Views.PrintSettings.textRange": "范围", "SSE.Views.PrintSettings.textRepeat": "重复...", - "SSE.Views.PrintSettings.textRepeatLeft": "移除左侧的列", + "SSE.Views.PrintSettings.textRepeatLeft": "在左侧重复一列", "SSE.Views.PrintSettings.textRepeatTop": "在顶部重复一行", "SSE.Views.PrintSettings.textSelection": "选择", "SSE.Views.PrintSettings.textSettings": "工作表设置", @@ -2724,6 +2746,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": "错误!单元格范围无效。", @@ -2758,6 +2818,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": "没有可编辑的区域。", @@ -2778,7 +2839,7 @@ "SSE.Views.RemoveDuplicatesDialog.textDescription": "若要删除重复值,请选择一个或多个包含重复值的列。", "SSE.Views.RemoveDuplicatesDialog.textHeaders": "我的数据有题头", "SSE.Views.RemoveDuplicatesDialog.textSelectAll": "全选", - "SSE.Views.RemoveDuplicatesDialog.txtTitle": "移除多次出现的元素", + "SSE.Views.RemoveDuplicatesDialog.txtTitle": "移除重复的元素", "SSE.Views.RightMenu.txtCellSettings": "单元格设置", "SSE.Views.RightMenu.txtChartSettings": "图表设置", "SSE.Views.RightMenu.txtImageSettings": "图像设置", @@ -2837,6 +2898,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": "选取图片", @@ -3098,6 +3160,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": "放大", @@ -3142,7 +3205,7 @@ "SSE.Views.TableSettings.textLast": "最后", "SSE.Views.TableSettings.textLongOperation": "长操作", "SSE.Views.TableSettings.textPivot": "插入透视表", - "SSE.Views.TableSettings.textRemDuplicates": "移除多次出现的元素", + "SSE.Views.TableSettings.textRemDuplicates": "移除重复的元素", "SSE.Views.TableSettings.textReservedName": "您尝试使用的名称已在单元格公式中引用。请使用其他名称。", "SSE.Views.TableSettings.textResize": "调整表大小", "SSE.Views.TableSettings.textRows": "行", @@ -3286,6 +3349,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": "右边框", @@ -3364,7 +3429,16 @@ "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": "数字格式", "SSE.Views.Toolbar.tipPageMargins": "页边距", "SSE.Views.Toolbar.tipPageOrient": "页面方向", @@ -3493,8 +3567,9 @@ "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.textDuplicate": "重复", "SSE.Views.ViewManagerDlg.textEmpty": "目前没有创建视图。", "SSE.Views.ViewManagerDlg.textGoTo": "转到视图", "SSE.Views.ViewManagerDlg.textLongName": "请键入少于128个字符的名称。", @@ -3508,7 +3583,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": "公式栏", @@ -3516,7 +3593,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": "显示零", "SSE.Views.ViewTab.textZoom": "放大", diff --git a/apps/spreadsheeteditor/main/resources/less/layout.less b/apps/spreadsheeteditor/main/resources/less/layout.less index 73e06aa0c..1bf1a43c8 100644 --- a/apps/spreadsheeteditor/main/resources/less/layout.less +++ b/apps/spreadsheeteditor/main/resources/less/layout.less @@ -13,8 +13,6 @@ body { bottom: 0; #viewport { - overflow: auto; - &::-webkit-scrollbar { width: 0; height: 0; @@ -37,6 +35,7 @@ label { background-color: @background-toolbar-ie; background-color: @background-toolbar; overflow: hidden; + scroll-behavior: smooth; // chromium bug890248 (Bug 39614) } .layout-region { diff --git a/apps/spreadsheeteditor/main/resources/less/leftmenu.less b/apps/spreadsheeteditor/main/resources/less/leftmenu.less index 0e17e7bd9..822e4ab0b 100644 --- a/apps/spreadsheeteditor/main/resources/less/leftmenu.less +++ b/apps/spreadsheeteditor/main/resources/less/leftmenu.less @@ -538,6 +538,24 @@ #panel-print { padding: 0; + #print-preview-empty { + padding: 14px; + color: @text-tertiary-ie; + color: @text-tertiary; + + position: absolute; + left: 280px; + top: 0; + right: 0; + bottom: 0; + display: flex; + justify-content: center; + align-items: center; + + div { + text-align: center; + } + } #id-print-settings { position: absolute; width:280px; diff --git a/apps/spreadsheeteditor/mobile/locale/az.json b/apps/spreadsheeteditor/mobile/locale/az.json index 606c82a0b..775fafeb9 100644 --- a/apps/spreadsheeteditor/mobile/locale/az.json +++ b/apps/spreadsheeteditor/mobile/locale/az.json @@ -155,6 +155,7 @@ "warnNoLicense": "Siz 1% redaktorlarına eyni vaxtda qoşulma limitinə çatdınız. Bu sənəd yalnız baxmaq üçün açılacaq. Şəxsi təkmilləşdirmə şərtləri üçün 1% satış komandası ilə əlaqə saxlayın.", "warnNoLicenseUsers": "1% redaktor üçün istifadəçi limitinə çatdınız. Şəxsi təkmilləşdirmə şərtləri üçün 1% satış komandası ilə əlaqə saxlayın.", "warnProcessRightsChange": "Faylı redaktə etmək icazəniz yoxdur.", + "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", @@ -295,9 +296,10 @@ "textSheetName": "Vərəq Adı", "textUnhide": "Gizlətməni ləğv et", "textWarnDeleteSheet": "İş vərəqində məlumat ola bilər. Əməliyyat davam etdirilsin?", + "textHidden": "Hidden", "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "Toolbar": { "dlgLeaveMsgText": "Bu sənəddə saxlanmamış dəyişiklikləriniz var. Avtomatik saxlanmanı gözləmək üçün \"Bu Səhifədə Qalın\" hissəsinin ü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/spreadsheeteditor/mobile/locale/be.json b/apps/spreadsheeteditor/mobile/locale/be.json index 2e6976626..628ff6163 100644 --- a/apps/spreadsheeteditor/mobile/locale/be.json +++ b/apps/spreadsheeteditor/mobile/locale/be.json @@ -1,7 +1,7 @@ { "About": { - "textAbout": "About", - "textAddress": "Address", + "textAbout": "Пра праграму", + "textAddress": "Адрас", "textBack": "Back", "textEmail": "Email", "textPoweredBy": "Powered By", @@ -10,9 +10,9 @@ }, "Common": { "Collaboration": { + "textAddComment": "Дадаць каментар", + "textAddReply": "Дадаць адказ", "notcriticalErrorTitle": "Warning", - "textAddComment": "Add Comment", - "textAddReply": "Add Reply", "textBack": "Back", "textCancel": "Cancel", "textCollaboration": "Collaboration", @@ -27,11 +27,11 @@ "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", + "textOk": "Ok", "textReopen": "Reopen", "textResolve": "Resolve", "textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", - "textUsers": "Users", - "textOk": "Ok" + "textUsers": "Users" }, "ThemeColorPalette": { "textCustomColors": "Custom Colors", @@ -40,9 +40,10 @@ } }, "ContextMenu": { + "menuAddComment": "Дадаць каментар", + "menuAddLink": "Дадаць спасылку", "errorCopyCutPaste": "Copy, cut, and paste actions using the context menu will be performed within the current file only.", - "menuAddComment": "Add Comment", - "menuAddLink": "Add Link", + "errorInvalidLink": "The link reference does not exist. Please correct the link or delete it.", "menuCancel": "Cancel", "menuCell": "Cell", "menuDelete": "Delete", @@ -61,24 +62,16 @@ "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." + "warnMergeLostData": "Only the data from the upper-left cell will remain in the merged cell.
Are you sure you want to continue?" }, "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", "SDK": { - "txtAccent": "Accent", + "txtAccent": "Акцэнт", + "txtBlank": "(пуста)", + "txtByField": "%1 з %2", "txtAll": "(All)", "txtArt": "Your text here", - "txtBlank": "(blank)", - "txtByField": "%1 of %2", "txtClearFilter": "Clear Filter (Alt+C)", "txtColLbls": "Column Labels", "txtColumn": "Column", @@ -134,7 +127,15 @@ "txtYAxis": "Y Axis", "txtYears": "Years" }, - "textAnonymous": "Anonymous", + "textAnonymous": "Ананімны карыстальнік", + "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 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", "textBuyNow": "Visit website", "textClose": "Close", "textContactUs": "Contact sales", @@ -142,9 +143,14 @@ "textGuest": "Guest", "textHasMacros": "The file contains automatic macros.
Do you want to run macros?", "textNo": "No", + "textNoChoices": "There are no choices for filling the cell.
Only text values from the column can be selected for replacement.", "textNoLicenseTitle": "License limit reached", + "textNoTextFound": "Text not found", + "textOk": "Ok", "textPaidFeature": "Paid feature", "textRemember": "Remember my choice", + "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", + "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textYes": "Yes", "titleServerVersion": "Editor updated", "titleUpdateVersion": "Version changed", @@ -154,15 +160,11 @@ "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" + "warnProcessRightsChange": "You don't have permission to edit the file." } }, "Error": { + "errorWrongOperator": "Ва ўведзенай формуле ёсць памылка. Выкарыстаны хібны аператар.
Калі ласка, выпраўце памылку.", "convertationTimeoutText": "Conversion timeout exceeded.", "criticalErrorExtText": "Press 'OK' to go back to the document list.", "criticalErrorTitle": "Error", @@ -173,8 +175,10 @@ "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", + "errorBadImageUrl": "Image URL is incorrect", + "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.", "errorChangeArray": "You cannot change part of an array.", + "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.", "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.", @@ -200,6 +204,7 @@ "errorInvalidRef": "Enter a correct name for the selection or a valid reference to go to.", "errorKeyEncrypt": "Unknown key descriptor", "errorKeyExpire": "Key descriptor expired", + "errorLoadingFont": "Fonts are not loaded.
Please contact your Document Server administrator.", "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", @@ -218,95 +223,47 @@ "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.", + "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.", "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.", + "textErrorPasswordIsNotCorrect": "The password you supplied is not correct.
Verify that the CAPS LOCK key is off and be sure to use the correct capitalization.", "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." - }, - "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." + "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB." }, "Statusbar": { + "textErrNameWrongChar": "Назва не можа змяшчаць сімвалы: \\, /, *, ?, [, ], :", "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.", + "textHidden": "Hidden", "textHide": "Hide", "textMore": "More", + "textMove": "Move", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)", + "textOk": "Ok", "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" - }, - "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" + "textWarnDeleteSheet": "The worksheet maybe has data. Proceed operation?" }, "View": { "Add": { + "textAddLink": "Дадаць спасылку", + "textAddress": "Адрас", "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", @@ -319,8 +276,6 @@ "sCatMathematic": "Math and trigonometry", "sCatStatistical": "Statistical", "sCatTextAndData": "Text and data", - "textAddLink": "Add Link", - "textAddress": "Address", "textBack": "Back", "textCancel": "Cancel", "textChart": "Chart", @@ -340,44 +295,50 @@ "textLink": "Link", "textLinkSettings": "Link Settings", "textLinkType": "Link Type", + "textOk": "Ok", "textOther": "Other", "textPictureFromLibrary": "Picture from library", "textPictureFromURL": "Picture from URL", "textRange": "Range", "textRequired": "Required", "textScreenTip": "Screen Tip", + "textSelectedRange": "Selected Range", "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?", + "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", "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" + "txtYes": "Yes" }, "Edit": { + "textAccounting": "Фінансавы", + "textActualSize": "Актуальны памер", + "textAddCustomColor": "Дадаць адвольны колер", + "textAddress": "Адрас", + "textAlign": "Выраўноўванне", + "textAlignBottom": "Выраўнаваць па ніжняму краю", + "textAlignCenter": "Выраўнаваць па цэнтры", + "textAlignLeft": "Выраўнаваць па леваму краю", + "textAlignMiddle": "Выраўнаваць па сярэдзіне", + "textAlignRight": "Выраўнаваць па праваму краю", + "textAlignTop": "Выраўнаваць па верхняму краю", + "textAllBorders": "Усе межы", + "textAngleClockwise": "Тэкст па гадзіннікавай стрэлцы", + "textAngleCounterclockwise": "Тэкст супраць гадзіннікавай стрэлкі", + "textAuto": "аўта", + "textAutomatic": "Аўтаматычна", + "textAxisCrosses": "Перасячэнне з воссю", + "textEmptyItem": "{Пустыя}", + "textHundredMil": "100 000 000", + "textHundredThousands": "100 000", + "textTenMillions": "10 000 000", + "textTenThousands": "10 000", "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", @@ -413,7 +374,6 @@ "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", @@ -433,9 +393,7 @@ "textHorizontal": "Horizontal", "textHorizontalAxis": "Horizontal Axis", "textHorizontalText": "Horizontal Text", - "textHundredMil": "100 000 000", "textHundreds": "Hundreds", - "textHundredThousands": "100 000", "textHyperlink": "Hyperlink", "textImage": "Image", "textImageURL": "Image URL", @@ -477,6 +435,7 @@ "textNoOverlay": "No Overlay", "textNotUrl": "This field should be a URL in the format \"http://www.example.com\"", "textNumber": "Number", + "textOk": "Ok", "textOnTickMarks": "On Tick Marks", "textOpacity": "Opacity", "textOut": "Out", @@ -514,8 +473,6 @@ "textSheet": "Sheet", "textSize": "Size", "textStyle": "Style", - "textTenMillions": "10 000 000", - "textTenThousands": "10 000", "textText": "Text", "textTextColor": "Text Color", "textTextFormat": "Text Format", @@ -538,28 +495,31 @@ "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" + "txtSortLow2High": "Sort Lowest to Highest" }, "Settings": { + "textAbout": "Пра праграму", + "textAddress": "Адрас", + "textApplication": "Дадатак", + "textApplicationSettings": "Налады праграмы", + "textAuthor": "Аўтар", + "txtScheme3": "Апекс", + "txtScheme4": "Аспект", "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", + "textChooseCsvOptions": "Choose CSV Options", + "textChooseDelimeter": "Choose Delimeter", + "textChooseEncoding": "Choose Encoding", "textCollaboration": "Collaboration", "textColorSchemes": "Color Schemes", "textComment": "Comment", @@ -567,6 +527,8 @@ "textComments": "Comments", "textCreated": "Created", "textCustomSize": "Custom Size", + "textDarkTheme": "Dark Theme", + "textDelimeter": "Delimiter", "textDisableAll": "Disable All", "textDisableAllMacrosWithNotification": "Disable all macros with a notification", "textDisableAllMacrosWithoutNotification": "Disable all macros without a notification", @@ -576,6 +538,8 @@ "textEmail": "Email", "textEnableAll": "Enable All", "textEnableAllMacrosWithoutNotification": "Enable all macros without a notification", + "textEncoding": "Encoding", + "textExample": "Example", "textFind": "Find", "textFindAndReplace": "Find and Replace", "textFindAndReplaceAll": "Find and Replace All", @@ -598,6 +562,7 @@ "textMatchCase": "Match Case", "textMatchCell": "Match Cell", "textNoTextFound": "Text not found", + "textOk": "Ok", "textOpenFile": "Enter a password to open the file", "textOrientation": "Orientation", "textOwner": "Owner", @@ -630,9 +595,13 @@ "textValues": "Values", "textVersion": "Version", "textWorkbook": "Workbook", + "txtColon": "Colon", + "txtComma": "Comma", "txtDelimiter": "Delimiter", + "txtDownloadCsv": "Download CSV", "txtEncoding": "Encoding", "txtIncorrectPwd": "Password is incorrect", + "txtOk": "Ok", "txtProtected": "Once you enter the password and open the file, the current password to the file will be reset", "txtScheme1": "Office", "txtScheme10": "Median", @@ -649,29 +618,62 @@ "txtScheme20": "Urban", "txtScheme21": "Verve", "txtScheme22": "New Office", - "txtScheme3": "Apex", - "txtScheme4": "Aspect", "txtScheme5": "Civic", "txtScheme6": "Concourse", "txtScheme7": "Equity", "txtScheme8": "Flow", "txtScheme9": "Foundry", + "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?", - "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" + "warnDownloadAs": "If you continue saving in this format all features except the text will be lost.
Are you sure you want to continue?" } + }, + "LongActions": { + "advDRMPassword": "Password", + "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", + "textCancel": "Cancel", + "textErrorWrongPassword": "The password you supplied is not correct.", + "textLoadingDocument": "Loading document", + "textNo": "No", + "textOk": "Ok", + "textUnlockRange": "Unlock Range", + "textUnlockRangeWarning": "A range you are trying to change is password protected.", + "textYes": "Yes", + "txtEditingMode": "Set editing mode...", + "uploadImageTextText": "Uploading image...", + "uploadImageTitleText": "Uploading Image", + "waitText": "Please, wait..." + }, + "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" } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/bg.json b/apps/spreadsheeteditor/mobile/locale/bg.json index 2e6976626..92302679e 100644 --- a/apps/spreadsheeteditor/mobile/locale/bg.json +++ b/apps/spreadsheeteditor/mobile/locale/bg.json @@ -159,7 +159,8 @@ "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" + "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." } }, "Error": { @@ -297,7 +298,10 @@ "textOk": "Ok", "textMove": "Move", "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveForward": "Move forward", + "textHidden": "Hidden", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "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.", diff --git a/apps/spreadsheeteditor/mobile/locale/ca.json b/apps/spreadsheeteditor/mobile/locale/ca.json index c46797523..5b8b771bc 100644 --- a/apps/spreadsheeteditor/mobile/locale/ca.json +++ b/apps/spreadsheeteditor/mobile/locale/ca.json @@ -68,6 +68,7 @@ "Main": { "criticalErrorTitle": "Error", "errorAccessDeny": "No tens permís per realitzar aquesta acció.
Contacta amb el teu 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.", @@ -142,9 +143,14 @@ "textGuest": "Convidat", "textHasMacros": "El fitxer conté macros automàtiques.
Les vols 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", + "textNoTextFound": "No s'ha trobat el text", + "textOk": "D'acord", "textPaidFeature": "Funció de pagament", "textRemember": "Recorda la meva elecció", + "textReplaceSkipped": "S'ha realitzat la substitució. S'han omès {0} ocurrències.", + "textReplaceSuccess": "S'ha fet la cerca. S'han substituït les coincidències: {0}", "textYes": "Sí", "titleServerVersion": "S'ha actualitzat l'editor", "titleUpdateVersion": "S'ha canviat la versió", @@ -154,12 +160,7 @@ "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.", - "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}" + "warnProcessRightsChange": "No tens permís per editar el fitxer." } }, "Error": { @@ -174,6 +175,7 @@ "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.", "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.", @@ -232,8 +234,7 @@ "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.", - "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": "La imatge és massa gran. La mida màxima és de 25 MB." }, "LongActions": { "advDRMPassword": "Contrasenya", @@ -260,7 +261,7 @@ "printTextText": "S'està imprimint el document...", "printTitleText": "S'està imprimint el document", "savePreparingText": "S'està preparant per desar", - "savePreparingTitle": "S'està preparant per desar. Espera...", + "savePreparingTitle": "S'està preparant per desar. Espereu...", "saveTextText": "S'està desant el document...", "saveTitleText": "S'està desant el document", "textCancel": "Cancel·la", @@ -286,18 +287,19 @@ "textErrNotEmpty": "El nom del full no pot estar en blanc", "textErrorLastSheet": "El llibre de treball ha de tenir com a mínim un full de càlcul visible.", "textErrorRemoveSheet": "No es pot suprimir el full de càlcul.", + "textHidden": "Amagat", "textHide": "Amaga", "textMore": "Més", + "textMove": "Desplaça", + "textMoveBefore": "Desplaceu abans del full", + "textMoveToEnd": "Aneu 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ó?", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textWarnDeleteSheet": "El full de càlcul pot tenir dades. Vols continuar amb l'operació?" }, "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.", @@ -340,6 +342,7 @@ "textLink": "Enllaç", "textLinkSettings": "Configuració de l'enllaç", "textLinkType": "Tipus d'enllaç", + "textOk": "D'acord", "textOther": "Altre", "textPictureFromLibrary": "Imatge de la biblioteca", "textPictureFromURL": "Imatge de l'URL", @@ -357,8 +360,7 @@ "txtNotUrl": "Aquest camp hauria de ser un URL amb el format \"http://www.exemple.com\"", "txtSorting": "Ordenació", "txtSortSelected": "Ordena els objectes seleccionats", - "txtYes": "Sí", - "textOk": "Ok" + "txtYes": "Sí" }, "Edit": { "notcriticalErrorTitle": "Advertiment", @@ -377,6 +379,7 @@ "textAngleClockwise": "Angle en sentit horari", "textAngleCounterclockwise": "Angle en sentit antihorari", "textAuto": "Automàtic", + "textAutomatic": "Automàtic", "textAxisCrosses": "Creus de l'eix", "textAxisOptions": "Opcions de l’eix", "textAxisPosition": "Posició de l’eix", @@ -477,6 +480,7 @@ "textNoOverlay": "Sense superposició", "textNotUrl": "Aquest camp hauria de ser un URL amb el format \"http://www.exemple.com\"", "textNumber": "Número", + "textOk": "D'acord", "textOnTickMarks": "A les marques de graduació", "textOpacity": "Opacitat", "textOut": "Fora", @@ -538,9 +542,7 @@ "textYen": "Ien", "txtNotUrl": "Aquest camp hauria de ser un URL amb el format \"http://www.exemple.com\"", "txtSortHigh2Low": "Ordena de major a menor", - "txtSortLow2High": "Ordena de menor a major", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "Ordena de menor a major" }, "Settings": { "advCSVOptions": "Tria les opcions CSV", @@ -570,6 +572,7 @@ "textComments": "Comentaris", "textCreated": "S'ha creat", "textCustomSize": "Mida personalitzada", + "textDarkTheme": "Tema fosc", "textDelimeter": "Separador", "textDisableAll": "Inhabilita-ho tot", "textDisableAllMacrosWithNotification": "Inhabilita totes les macros amb una notificació", @@ -670,8 +673,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?", - "textDarkTheme": "Dark Theme" + "warnDownloadAs": "Si continues i deses en aquest format, es perdran totes les característiques, excepte el text.
Vols continuar?" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/cs.json b/apps/spreadsheeteditor/mobile/locale/cs.json index 3e8551ec0..84cdf1fea 100644 --- a/apps/spreadsheeteditor/mobile/locale/cs.json +++ b/apps/spreadsheeteditor/mobile/locale/cs.json @@ -36,7 +36,7 @@ "ThemeColorPalette": { "textCustomColors": "Vlastní barvy", "textStandartColors": "Standardní barvy", - "textThemeColors": "Barvy motivu vzhledu" + "textThemeColors": "Barvy vzhledu prostředí" } }, "ContextMenu": { @@ -68,6 +68,7 @@ "Main": { "criticalErrorTitle": "Chyba", "errorAccessDeny": "Pokoušíte se provést akci, na kterou nemáte oprávnění.
Obraťte se na Vašeho správce.", + "errorOpensource": "Při využívání bezplatné komunitní veze, můžete otevřít dokumenty pouze pro náhled. Pro získání přístupu k mobilním online editorům, je nutná komerční licence.", "errorProcessSaveResult": "Ukládání selhalo.", "errorServerVersion": "Verze editoru byla aktualizována. Stránka bude znovu načtena, aby se změny uplatnily.", "errorUpdateVersion": "Verze souboru byla změněna. Stránka bude znovu načtena.", @@ -142,9 +143,14 @@ "textGuest": "Návštěvník", "textHasMacros": "Soubor obsahuje automatická makra.
Opravdu chcete makra spustit?", "textNo": "Ne", + "textNoChoices": "Neexistují žádné možnosti pro vyplnění buňky.
Jako náhradu je možné vybrat pouze textové hodnoty ze sloupce.", "textNoLicenseTitle": "Došlo k dosažení limitu licence", + "textNoTextFound": "Text nebyl nalezen", + "textOk": "OK", "textPaidFeature": "Placená funkce", "textRemember": "Zapamatovat moji volbu", + "textReplaceSkipped": "Nahrazení bylo provedeno. {0} výskytů bylo přeskočeno.", + "textReplaceSuccess": "Hledání bylo dokončeno. Nahrazeno výskytů: {0}", "textYes": "Ano", "titleServerVersion": "Editor byl aktualizován", "titleUpdateVersion": "Verze změněna", @@ -154,12 +160,7 @@ "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.", - "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}" + "warnProcessRightsChange": "Nemáte oprávnění pro úpravu tohoto dokumentu." } }, "Error": { @@ -174,6 +175,7 @@ "errorAutoFilterDataRange": "Operaci nelze pro zvolený rozsah buněk provést.
Vyberte jednotnou oblast dat uvnitř nebo vně tabulky a zkuste to znovu.", "errorAutoFilterHiddenRange": "Operaci nelze provést, protože oblast obsahuje filtrované buňky.
Odkryjte filtrované prvky a zkuste to znovu.", "errorBadImageUrl": "Adresa URL obrázku je nesprávná", + "errorCannotUseCommandProtectedSheet": "Tento příkaz nelze použít na zabezpečený list. Pro použití příkazu, zrušte zabezpečení listu.
Může být vyžadováno zadání hesla.", "errorChangeArray": "Nemůžete měnit část pole.", "errorChangeOnProtectedSheet": "Buňka nebo graf, který se pokoušíte změnit je na zabezpečeném listu. Pro provedení změny, vypněte zabezpečení listu. Může být vyžadováno zadání hesla.", "errorConnectToServer": "Není možné uložit dokument. Zkontrolujte nastavení připojení, nebo kontaktujte Vašeho správce.
Po kliknutím na tlačítko 'OK' budete vyzváni ke stažení dokumentu.", @@ -232,8 +234,7 @@ "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.", - "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": "Obrázek je příliš velký. Maximální velikost je 25 MB." }, "LongActions": { "advDRMPassword": "Heslo", @@ -286,18 +287,19 @@ "textErrNotEmpty": "List musí mít název", "textErrorLastSheet": "Sešit musí obsahovat alespoň jeden viditelný list.", "textErrorRemoveSheet": "Nelze odstranit list.", + "textHidden": "Skrytý", "textHide": "Skrýt", "textMore": "Více", + "textMove": "Přesunout", + "textMoveBefore": "Přesunout před list", + "textMoveToEnd": "(Přesunout na konec)", "textOk": "OK", "textRename": "Přejmenovat", "textRenameSheet": "Přejmenovat list", "textSheet": "List", "textSheetName": "Název listu", "textUnhide": "Odkrýt", - "textWarnDeleteSheet": "List může obsahovat data. Pokračovat v operaci? ", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textWarnDeleteSheet": "List může obsahovat data. Pokračovat v operaci? " }, "Toolbar": { "dlgLeaveMsgText": "V tomto dokumentu máte neuložené změny. Klikněte na 'Zůstat na této stránce' a počkejte dokud nedojde k automatickému uložení. Klikněte na 'Opustit tuto stránku' pro zahození neuložených změn.", @@ -340,6 +342,7 @@ "textLink": "Odkaz", "textLinkSettings": "Nastavení odkazů", "textLinkType": "Typ odkazu", + "textOk": "OK", "textOther": "Jiné", "textPictureFromLibrary": "Obrázek z knihovny", "textPictureFromURL": "Obrázek z adresy URL", @@ -357,8 +360,7 @@ "txtNotUrl": "Toto pole by mělo obsahovat adresu URL ve formátu \"http://www.example.com\"", "txtSorting": "Řazení", "txtSortSelected": "Seřadit vybrané", - "txtYes": "Ano", - "textOk": "Ok" + "txtYes": "Ano" }, "Edit": { "notcriticalErrorTitle": "Varování", @@ -377,6 +379,7 @@ "textAngleClockwise": "Otočit ve směru hodinových ručiček", "textAngleCounterclockwise": "Otočit proti směru hodinových ručiček", "textAuto": "Automaticky", + "textAutomatic": "Automaticky", "textAxisCrosses": "Křížení os", "textAxisOptions": "Možnosti osy", "textAxisPosition": "Pozice osy", @@ -477,6 +480,7 @@ "textNoOverlay": "Bez překrytí", "textNotUrl": "Toto pole by mělo obsahovat adresu URL ve formátu \"http://www.example.com\"", "textNumber": "Číslo", + "textOk": "OK", "textOnTickMarks": "Na značkách zaškrtnutí", "textOpacity": "Průhlednost", "textOut": "Vně", @@ -538,9 +542,7 @@ "textYen": "Jen", "txtNotUrl": "Toto pole by mělo obsahovat adresu URL ve formátu \"http://www.example.com\"", "txtSortHigh2Low": "Seřadit od nejvyššího po nejnižší", - "txtSortLow2High": "Seřadit od nejnižšího po nejvyšší", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "Seřadit od nejnižšího po nejvyšší" }, "Settings": { "advCSVOptions": "Vyberte možnosti CSV", @@ -570,6 +572,7 @@ "textComments": "Komentáře", "textCreated": "Vytvořeno", "textCustomSize": "Vlastní velikost", + "textDarkTheme": "Tmavý vzhled prostředí", "textDelimeter": "Oddělovač", "textDisableAll": "Vypnout vše", "textDisableAllMacrosWithNotification": "Vypnout všechna makra s notifikacemi", @@ -670,8 +673,7 @@ "txtSemicolon": "Středník", "txtSpace": "Mezera", "txtTab": "Tabulátor", - "warnDownloadAs": "Pokud budete pokračovat v ukládání v tomto formátu, vše kromě textu bude ztraceno.
Opravdu chcete pokračovat?", - "textDarkTheme": "Dark Theme" + "warnDownloadAs": "Pokud budete pokračovat v ukládání v tomto formátu, vše kromě textu bude ztraceno.
Opravdu chcete pokračovat?" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/da.json b/apps/spreadsheeteditor/mobile/locale/da.json index b403fa641..52cdd0fa8 100644 --- a/apps/spreadsheeteditor/mobile/locale/da.json +++ b/apps/spreadsheeteditor/mobile/locale/da.json @@ -141,6 +141,7 @@ "warnLicenseLimitedRenewed": "\nLicensen skal fornyes. Du har begrænset adgang til dokumentredigeringsfunktioner.
Kontakt din administrator for at få fuld adgang", "warnLicenseUsersExceeded": "Det tilladte antal af samtidige brugere er oversteget, og dokumentet vil blive åbnet i visningstilstand.
Kontakt venligst din administrator for mere information. ", "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 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.", @@ -289,9 +290,10 @@ "textErrNameExists": "Worksheet with this name already exists.", "textErrNotEmpty": "Sheet name must not be empty", "textErrorLastSheet": "The workbook must have at least one visible worksheet.", + "textHidden": "Hidden", "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)", "textRename": "Rename", "textRenameSheet": "Rename Sheet", "textSheet": "Sheet", diff --git a/apps/spreadsheeteditor/mobile/locale/de.json b/apps/spreadsheeteditor/mobile/locale/de.json index eccbb5ee3..f11a5a938 100644 --- a/apps/spreadsheeteditor/mobile/locale/de.json +++ b/apps/spreadsheeteditor/mobile/locale/de.json @@ -142,9 +142,14 @@ "textGuest": "Gast", "textHasMacros": "Die Datei beinhaltet automatische Makros.
Möchten Sie Makros ausführen?", "textNo": "Nein", + "textNoChoices": "Es gibt keine Möglichkeit zum Füllung der Zelle.
Nur die Textwerte aus der Spalte kann für den Ersatz gewählt werden. ", "textNoLicenseTitle": "Lizenzlimit erreicht", + "textNoTextFound": "Der Text wurde nicht gefunden.", + "textOk": "OK", "textPaidFeature": "Kostenpflichtige Funktion", "textRemember": "Auswahl speichern", + "textReplaceSkipped": "Der Ersatzvorgang wurde durchgeführt. {0} Vorkommen wurden ausgelassen.", + "textReplaceSuccess": "Der Suchvorgang wurde durchgeführt. Vorkommen wurden ersetzt:{0}", "textYes": "Ja", "titleServerVersion": "Editor wurde aktualisiert", "titleUpdateVersion": "Version wurde geändert", @@ -155,11 +160,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.", - "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}" + "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." } }, "Error": { @@ -174,6 +175,7 @@ "errorAutoFilterDataRange": "Die Operation ist für den ausgewählten Zellbereich unmöglich.
Bitte wählen Sie einen einheitlichen Datenbereich innerhalb oder außerhalb der Tabelle und versuchen Sie neu.", "errorAutoFilterHiddenRange": "Die Operation kann nicht ausgeführt werden, weil der Bereich gefilterte Zellen enthält.
Bitte machen Sie die gefilterten Elemente sichtbar und versuchen Sie es erneut.", "errorBadImageUrl": "URL des Bildes ist falsch", + "errorCannotUseCommandProtectedSheet": "Dieser Befehl kann für ein geschütztes Blatt nicht verwendet werden. Sie müssen zuerst den Schutz des Blatts aufheben, um diesen Befehl zu verwenden.
Sie werden möglicherweise aufgefordert, ein Kennwort einzugeben.", "errorChangeArray": "Sie können einen Teil eines Arrays nicht ändern.", "errorChangeOnProtectedSheet": "Die Zelle oder das Diagramm, die bzw. das Sie ändern möchten, befindet sich auf einem schreibgeschützten Blatt. Um eine Änderung vorzunehmen, heben Sie den Schutz des Blatts auf. Möglicherweise werden Sie aufgefordert, ein Kennwort einzugeben.", "errorConnectToServer": "Das Dokument kann nicht gespeichert werden. Überprüfen Sie Ihre Verbindungseinstellungen oder wenden Sie sich an den Administrator.
Beim Klicken auf OK können Sie das Dokument herunterladen.", @@ -232,8 +234,7 @@ "unknownErrorText": "Unbekannter Fehler.", "uploadImageExtMessage": "Unbekanntes Bildformat.", "uploadImageFileCountMessage": "Keine Bilder hochgeladen.", - "uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten.", - "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": "Die maximal zulässige Bildgröße von 25 MB ist überschritten." }, "LongActions": { "advDRMPassword": "Passwort", @@ -288,6 +289,7 @@ "textErrorRemoveSheet": "Arbeitsblatt kann nicht gelöscht werden. ", "textHide": "Ausblenden", "textMore": "Mehr", + "textMove": "Verschieben", "textOk": "OK", "textRename": "Umbenennen", "textRenameSheet": "Tabelle umbenennen", @@ -295,9 +297,9 @@ "textSheetName": "Blattname", "textUnhide": "Einblenden", "textWarnDeleteSheet": "Das Arbeitsblatt kann Daten enthalten. Möchten Sie fortsetzen?", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textHidden": "Hidden", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "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 \"Seite verlassen\", um nicht gespeicherte Änderungen zu verwerfen.", @@ -340,6 +342,7 @@ "textLink": "Link", "textLinkSettings": "Linkseinstellungen", "textLinkType": "Linktyp", + "textOk": "OK", "textOther": "Sonstiges", "textPictureFromLibrary": "Bild aus dem Verzeichnis", "textPictureFromURL": "Bild aus URL", @@ -357,8 +360,7 @@ "txtNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein.", "txtSorting": "Sortierung", "txtSortSelected": "Ausgewählte sortieren", - "txtYes": "Ja", - "textOk": "Ok" + "txtYes": "Ja" }, "Edit": { "notcriticalErrorTitle": "Warnung", @@ -377,6 +379,7 @@ "textAngleClockwise": "Im Uhrzeigersinn drehen", "textAngleCounterclockwise": "Gegen den Uhrzeigersinn drehen", "textAuto": "auto", + "textAutomatic": "Automatisch", "textAxisCrosses": "Schnittpunkt mit der Achse", "textAxisOptions": "Achsenoptionen", "textAxisPosition": "Position der Achse", @@ -477,6 +480,7 @@ "textNoOverlay": "Ohne Überlagerung", "textNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein.", "textNumber": "Nummer", + "textOk": "OK", "textOnTickMarks": "Teilstriche", "textOpacity": "Undurchsichtigkeit", "textOut": "Außen", @@ -538,9 +542,7 @@ "textYen": "Yen", "txtNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein.", "txtSortHigh2Low": "Absteigend sortieren", - "txtSortLow2High": "Aufsteigend sortieren", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "Aufsteigend sortieren" }, "Settings": { "advCSVOptions": "CSV-Optionen auswählen", @@ -570,6 +572,7 @@ "textComments": "Kommentare", "textCreated": "Erstellt", "textCustomSize": "Benutzerdefinierte Größe", + "textDarkTheme": "Dunkelmodus", "textDelimeter": "Trennzeichen", "textDisableAll": "Alle deaktivieren", "textDisableAllMacrosWithNotification": "Alle Makros mit einer Benachrichtigung deaktivieren", @@ -670,8 +673,7 @@ "txtSemicolon": "Semikolon", "txtSpace": "Leerzeichen", "txtTab": "Tab", - "warnDownloadAs": "Wenn Sie mit dem Speichern in diesem Format fortsetzen, werden alle Objekte außer Text verloren gehen.
Möchten Sie wirklich fortsetzen?", - "textDarkTheme": "Dark Theme" + "warnDownloadAs": "Wenn Sie mit dem Speichern in diesem Format fortsetzen, werden alle Objekte außer Text verloren gehen.
Möchten Sie wirklich fortsetzen?" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/el.json b/apps/spreadsheeteditor/mobile/locale/el.json index 817492387..b60a43b57 100644 --- a/apps/spreadsheeteditor/mobile/locale/el.json +++ b/apps/spreadsheeteditor/mobile/locale/el.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": "Η έκδοση άλλαξε", @@ -154,12 +160,7 @@ "warnLicenseUsersExceeded": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.
Επικοινωνήστε με τον διαχειριστή σας για περισσότερες πληροφορίες.", "warnNoLicense": "Φτάσατε το όριο ταυτόχρονων συνδέσεων σε %1 συντάκτες. Το έγγραφο θα ανοίξει μόνο για ανάγνωση. Επικοινωνήστε με την ομάδα πωλήσεων %1 για τους όρους αναβάθμισης.", "warnNoLicenseUsers": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.
Επικοινωνήστε με την ομάδα πωλήσεων %1 για προσωπικούς όρους αναβάθμισης.", - "warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας του αρχείου.", - "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}" + "warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας του αρχείου." } }, "Error": { @@ -174,6 +175,7 @@ "errorAutoFilterDataRange": "Η λειτουργία δεν πραγματοποιήθηκε για το επιλεγμένο εύρος κελιών.
Επιλέξτε ένα ομοιόμορφο εύρος δεδομένων μέσα ή έξω από το πίνακα και δοκιμάστε ξανά.", "errorAutoFilterHiddenRange": "Η λειτουργία δεν μπορεί να πραγματοποιηθεί επειδή η περιοχή περιέχει φιλτραρισμένα κελιά.
Παρακαλούμε, εμφανίστε τα φιλτραρισμένα στοιχεία και προσπαθήστε ξανά.", "errorBadImageUrl": "Εσφαλμένη διεύθυνση URL εικόνας", + "errorCannotUseCommandProtectedSheet": "Δεν μπορείτε να χρησιμοποιήσετε αυτή την εντολή σε προστατευμένο φύλλο. Πρέπει να αφαιρέσετε την προστασία.
Ενδέχεται να σας ζητηθεί συνθηματικό.", "errorChangeArray": "Δεν μπορείτε να αλλάξετε μέρος ενός πίνακα.", "errorChangeOnProtectedSheet": "Το κελί ή γράφημα που προσπαθείτε να αλλάξετε βρίσκεται σε προστατευμένο φύλλο.
Για να κάνετε αλλαγή, αφαιρέστε την προστασία. Ίσως σας ζητηθεί συνθηματικό.", "errorConnectToServer": "Αδύνατη η αποθήκευση του εγγράφου. Ελέγξτε τις ρυθμίσεις σύνδεσης ή επικοινωνήστε με τον διαχειριστή.
Όταν κάνετε κλικ στο κουμπί \"Εντάξει\", θα σας προταθεί να κατεβάσετε το έγγραφο.", @@ -232,8 +234,7 @@ "unknownErrorText": "Άγνωστο σφάλμα.", "uploadImageExtMessage": "Άγνωστη μορφή εικόνας.", "uploadImageFileCountMessage": "Δεν μεταφορτώθηκαν εικόνες.", - "uploadImageSizeMessage": "Η εικόνα είναι πολύ μεγάλη. Το μέγιστο μέγεθος είναι 25MB.", - "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": "Η εικόνα είναι πολύ μεγάλη. Το μέγιστο μέγεθος είναι 25MB." }, "LongActions": { "advDRMPassword": "Συνθηματικό", @@ -286,8 +287,10 @@ "textErrNotEmpty": "Το όνομα του φύλλου δεν πρέπει να είναι κενό", "textErrorLastSheet": "Το βιβλίο εργασίας πρέπει να έχει τουλάχιστον ένα ορατό φύλλο εργασίας.", "textErrorRemoveSheet": "Δεν είναι δυνατή η διαγραφή του φύλλου εργασίας.", + "textHidden": "Κρυφό", "textHide": "Απόκρυψη", "textMore": "Περισσότερα", + "textMove": "Μετακίνηση", "textOk": "Εντάξει", "textRename": "Μετονομασία", "textRenameSheet": "Μετονομασία Φύλλου", @@ -295,9 +298,8 @@ "textSheetName": "Όνομα Φύλλου", "textUnhide": "Αναίρεση απόκρυψης", "textWarnDeleteSheet": "Το φύλλο εργασίας ίσως περιέχει δεδομένα. Να συνεχιστεί η λειτουργία;", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "Toolbar": { "dlgLeaveMsgText": "Έχετε μη αποθηκευμένες αλλαγές στο έγγραφο. Πατήστε 'Παραμονή στη Σελίδα' για να περιμένετε την αυτόματη αποθήκευση. Πατήστε 'Έξοδος από τη Σελίδα' για να απορρίψετε όλες τις μη αποθηκευμένες αλλαγές.", @@ -340,6 +342,7 @@ "textLink": "Σύνδεσμος", "textLinkSettings": "Ρυθμίσεις Συνδέσμου", "textLinkType": "Τύπος Συνδέσμου", + "textOk": "Εντάξει", "textOther": "Άλλο", "textPictureFromLibrary": "Εικόνα από βιβλιοθήκη", "textPictureFromURL": "Εικόνα από σύνδεσμο", @@ -357,8 +360,7 @@ "txtNotUrl": "Αυτό το πεδίο πρέπει να είναι μια διεύθυνση URL με τη μορφή «http://www.example.com»", "txtSorting": "Ταξινόμηση", "txtSortSelected": "Ταξινόμηση επιλεγμένων", - "txtYes": "Ναι", - "textOk": "Ok" + "txtYes": "Ναι" }, "Edit": { "notcriticalErrorTitle": "Προειδοποίηση", @@ -377,6 +379,7 @@ "textAngleClockwise": "Γωνία Δεξιόστροφα", "textAngleCounterclockwise": "Γωνία Αριστερόστροφα", "textAuto": "Αυτόματα", + "textAutomatic": "Αυτόματο", "textAxisCrosses": "Διασχίσεις Άξονα", "textAxisOptions": "Επιλογές Άξονα", "textAxisPosition": "Θέση Άξονα", @@ -477,6 +480,7 @@ "textNoOverlay": "Χωρίς Επικάλυψη", "textNotUrl": "Αυτό το πεδίο πρέπει να είναι μια διεύθυνση URL με τη μορφή «http://www.example.com»", "textNumber": "Αριθμός", + "textOk": "Εντάξει", "textOnTickMarks": "Επί των Διαβαθμίσεων", "textOpacity": "Αδιαφάνεια", "textOut": "Έξω", @@ -538,9 +542,7 @@ "textYen": "Γιέν", "txtNotUrl": "Αυτό το πεδίο πρέπει να είναι μια διεύθυνση URL με τη μορφή «http://www.example.com»", "txtSortHigh2Low": "Ταξινόμηση από το Υψηλότερο στο Χαμηλότερο", - "txtSortLow2High": "Ταξινόμηση από το Χαμηλότερο στο Υψηλότερο", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "Ταξινόμηση από το Χαμηλότερο στο Υψηλότερο" }, "Settings": { "advCSVOptions": "Επιλέξτε CSV επιλογές", @@ -570,6 +572,7 @@ "textComments": "Σχόλια", "textCreated": "Δημιουργήθηκε", "textCustomSize": "Προσαρμοσμένο Μέγεθος", + "textDarkTheme": "Σκούρο θέμα", "textDelimeter": "Διαχωριστικό", "textDisableAll": "Απενεργοποίηση Όλων", "textDisableAllMacrosWithNotification": "Απενεργοποίηση όλων των μακροεντολών με ειδοποίηση", @@ -670,8 +673,7 @@ "txtSemicolon": "Ανω τελεία", "txtSpace": "Κενό διάστημα", "txtTab": "Καρτέλα", - "warnDownloadAs": "Αν προχωρήσετε με την αποθήκευση σε αυτή τη μορφή, όλα τα χαρακτηριστικά πλην του κειμένου θα χαθούν.
Θέλετε σίγουρα να συνεχίσετε;", - "textDarkTheme": "Dark Theme" + "warnDownloadAs": "Αν προχωρήσετε με την αποθήκευση σε αυτή τη μορφή, όλα τα χαρακτηριστικά πλην του κειμένου θα χαθούν.
Θέλετε σίγουρα να συνεχίσετε;" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/en.json b/apps/spreadsheeteditor/mobile/locale/en.json index da0e193c9..ae00341dc 100644 --- a/apps/spreadsheeteditor/mobile/locale/en.json +++ b/apps/spreadsheeteditor/mobile/locale/en.json @@ -68,6 +68,7 @@ "Main": { "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 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.", @@ -286,21 +287,19 @@ "textErrNotEmpty": "Sheet name must not be empty", "textErrorLastSheet": "The workbook must have at least one visible worksheet.", "textErrorRemoveSheet": "Can't delete the worksheet.", + "textHidden": "Hidden", "textHide": "Hide", "textMore": "More", "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)", "textOk": "Ok", "textRename": "Rename", "textRenameSheet": "Rename Sheet", "textSheet": "Sheet", "textSheetName": "Sheet Name", "textUnhide": "Unhide", - "textMove": "Move", "textTabColor": "Tab Color", - "textMoveBack": "Move back", - "textMoveForward": "Move forward", "textWarnDeleteSheet": "The worksheet maybe has data. Proceed operation?" }, "Toolbar": { diff --git a/apps/spreadsheeteditor/mobile/locale/es.json b/apps/spreadsheeteditor/mobile/locale/es.json index a2c8dc85a..5ed3367de 100644 --- a/apps/spreadsheeteditor/mobile/locale/es.json +++ b/apps/spreadsheeteditor/mobile/locale/es.json @@ -3,7 +3,7 @@ "textAbout": "Acerca de", "textAddress": "Dirección", "textBack": "Atrás", - "textEmail": "E-mail", + "textEmail": "Correo", "textPoweredBy": "Con tecnología de", "textTel": "Tel", "textVersion": "Versión " @@ -11,8 +11,8 @@ "Common": { "Collaboration": { "notcriticalErrorTitle": "Advertencia", - "textAddComment": "Añadir comentario", - "textAddReply": "Añadir respuesta", + "textAddComment": "Agregar comentario", + "textAddReply": "Agregar respuesta", "textBack": "Atrás", "textCancel": "Cancelar", "textCollaboration": "Colaboración", @@ -42,8 +42,8 @@ "ContextMenu": { "errorCopyCutPaste": "Las acciones de copiar, cortar y pegar utilizando el menú contextual se realizarán sólo dentro del archivo actual.", "errorInvalidLink": "La referencia del enlace no existe. Por favor, corrija o elimine el enlace.", - "menuAddComment": "Añadir comentario", - "menuAddLink": "Añadir enlace ", + "menuAddComment": "Agregar comentario", + "menuAddLink": "Agregar enlace ", "menuCancel": "Cancelar", "menuCell": "Celda", "menuDelete": "Eliminar", @@ -68,6 +68,7 @@ "Main": { "criticalErrorTitle": "Error", "errorAccessDeny": "Está intentando realizar una acción para la que no tiene derechos.
Por favor, 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.", "errorUpdateVersion": "Se ha cambiado la versión del archivo. La página será actualizada.", @@ -142,9 +143,14 @@ "textGuest": "Invitado", "textHasMacros": "El archivo contiene macros automáticas.
¿Quiere ejecutar macros?", "textNo": "No", + "textNoChoices": "No hay opciones para rellenar la celda.
Sólo se pueden seleccionar valores de texto de la columna para su sustitución.", "textNoLicenseTitle": "Se ha alcanzado el límite de licencia", + "textNoTextFound": "Texto no encontrado", + "textOk": "Aceptar", "textPaidFeature": "Característica de pago", "textRemember": "Recordar mi elección", + "textReplaceSkipped": "Se ha realizado la sustitución. Se han omitido {0} ocurrencias.", + "textReplaceSuccess": "Se ha realizado la búsqueda. Ocurrencias reemplazadas: {0}", "textYes": "Sí", "titleServerVersion": "Editor ha sido actualizado", "titleUpdateVersion": "Versión ha cambiado", @@ -154,12 +160,7 @@ "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.", - "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}" + "warnProcessRightsChange": "No tiene permiso para editar el archivo." } }, "Error": { @@ -174,6 +175,7 @@ "errorAutoFilterDataRange": "La operación no se puede realizar para el rango de celdas seleccionado.
Seleccione un rango de datos uniforme dentro o fuera de la tabla y vuelva a intentarlo.", "errorAutoFilterHiddenRange": "La operación no puede realizarse porque el área contiene celdas filtradas.
Por favor, desoculte los elementos filtrados e inténtelo de nuevo.", "errorBadImageUrl": "URL de imagen es incorrecta", + "errorCannotUseCommandProtectedSheet": "No puede utilizar esta orden en una hoja protegida. Para usar esta orden, desproteja la hoja.
Es posible que le pidan una contraseña.", "errorChangeArray": "No se puede cambiar parte de una matriz.", "errorChangeOnProtectedSheet": "La celda o el gráfico que usted está intentando cambiar está en una hoja protegida. Para hacer un cambio, desproteja la hoja. Es posible que le pidan que introduzca una contraseña.", "errorConnectToServer": "No se puede guardar este documento. Compruebe la configuración de su conexión o póngase en contacto con el administrador.
Cuando haga clic en OK, se le pedirá que descargue el documento.", @@ -194,7 +196,7 @@ "errorFillRange": "No se puede rellenar el rango de celdas seleccionado.
Todas las celdas combinadas deben tener el mismo tamaño.", "errorFormulaName": "Un error en la fórmula.
Nombre de fórmula incorrecto.", "errorFormulaParsing": "Error interno al analizar la fórmula.", - "errorFrmlMaxLength": "No puede añadir esta fórmula ya que su longitud excede el número de caracteres permitidos.
Por favor, edítela e inténtelo de nuevo.", + "errorFrmlMaxLength": "No puede agregar esta fórmula, ya que su longitud excede el número de caracteres permitidos.
Edítelo e inténtelo de nuevo.", "errorFrmlMaxReference": "No puede introducir esta fórmula porque tiene demasiados valores,
referencias de celda, y/o nombres.", "errorFrmlMaxTextLength": "Los valores de texto de las fórmulas tienen un límite de 255 caracteres.
Utilice la función CONCATENATE o el operador de concatenación (&)", "errorFrmlWrongReferences": "La función hace referencia a una hoja que no existe.
Por favor, compruebe los datos y vuelva a intentarlo.", @@ -232,8 +234,7 @@ "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.", - "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": "La imagen es demasiado grande. El tamaño máximo es de 25 MB." }, "LongActions": { "advDRMPassword": "Contraseña", @@ -286,8 +287,10 @@ "textErrNotEmpty": "Nombre de hoja no debe ser vacío", "textErrorLastSheet": "El libro debe tener al menos una hoja de cálculo visible.", "textErrorRemoveSheet": "No se puede eliminar la hoja de cálculo.", + "textHidden": "Ocultado", "textHide": "Ocultar", "textMore": "Más", + "textMove": "Mover", "textOk": "OK", "textRename": "Renombrar", "textRenameSheet": "Renombrar hoja", @@ -295,9 +298,8 @@ "textSheetName": "Nombre de hoja", "textUnhide": "Volver a mostrar", "textWarnDeleteSheet": "La hoja de cálculo puede tener datos. ¿Continuar con la operación?", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "Toolbar": { "dlgLeaveMsgText": "Tiene cambios no guardados en este documento. Haga clic en \"Quedarse en esta página\" para esperar hasta que se guarden automáticamente. Haga clic en \"Salir de esta página\" para descartar todos los cambios no guardados.", @@ -319,7 +321,7 @@ "sCatMathematic": "Matemáticas y trigonometría", "sCatStatistical": "Estadístico", "sCatTextAndData": "Texto y datos", - "textAddLink": "Añadir enlace ", + "textAddLink": "Agregar enlace ", "textAddress": "Dirección", "textBack": "Atrás", "textCancel": "Cancelar", @@ -340,6 +342,7 @@ "textLink": "Enlace", "textLinkSettings": "Ajustes de enlace", "textLinkType": "Tipo de enlace", + "textOk": "Aceptar", "textOther": "Otro", "textPictureFromLibrary": "Imagen desde biblioteca", "textPictureFromURL": "Imagen desde URL", @@ -357,14 +360,13 @@ "txtNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"", "txtSorting": "Ordenación", "txtSortSelected": "Ordenar los objetos seleccionados", - "txtYes": "Sí", - "textOk": "Ok" + "txtYes": "Sí" }, "Edit": { "notcriticalErrorTitle": "Advertencia", "textAccounting": "Contabilidad", "textActualSize": "Tamaño actual", - "textAddCustomColor": "Añadir color personalizado", + "textAddCustomColor": "Agregar color personalizado", "textAddress": "Dirección", "textAlign": "Alinear", "textAlignBottom": "Alinear hacia abajo", @@ -377,6 +379,7 @@ "textAngleClockwise": "Ángulo descendente", "textAngleCounterclockwise": "Ángulo ascendente", "textAuto": "Auto", + "textAutomatic": "Automático", "textAxisCrosses": "Cruces de eje", "textAxisOptions": "Opciones de eje", "textAxisPosition": "Posición de eje", @@ -477,6 +480,7 @@ "textNoOverlay": "Sin superposición", "textNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"", "textNumber": "Número", + "textOk": "Aceptar", "textOnTickMarks": "Marcas de graduación", "textOpacity": "Opacidad ", "textOut": "Fuera", @@ -538,9 +542,7 @@ "textYen": "Yen", "txtNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"", "txtSortHigh2Low": "Ordenar de mayor a menor", - "txtSortLow2High": "Ordenar de menor a mayor ", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "Ordenar de menor a mayor " }, "Settings": { "advCSVOptions": "Elegir los parámetros de CSV", @@ -570,6 +572,7 @@ "textComments": "Comentarios", "textCreated": "Creado", "textCustomSize": "Tamaño personalizado", + "textDarkTheme": "Tema oscuro", "textDelimeter": "Delimitador", "textDisableAll": "Deshabilitar todo", "textDisableAllMacrosWithNotification": "Deshabilitar todas las macros con notificación", @@ -577,7 +580,7 @@ "textDone": "Listo", "textDownload": "Descargar", "textDownloadAs": "Descargar como", - "textEmail": "E-mail", + "textEmail": "Correo", "textEnableAll": "Habilitar todo", "textEnableAllMacrosWithoutNotification": "Habilitar todas las macros sin notificación ", "textEncoding": "Codificación", @@ -670,8 +673,7 @@ "txtSemicolon": "Punto y coma", "txtSpace": "Espacio", "txtTab": "Pestaña", - "warnDownloadAs": "Si sigue guardando en este formato, todas las características a excepción del texto se perderán.
¿Está seguro de que desea continuar?", - "textDarkTheme": "Dark Theme" + "warnDownloadAs": "Si sigue guardando en este formato, todas las características a excepción del texto se perderán.
¿Está seguro de que desea continuar?" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/fr.json b/apps/spreadsheeteditor/mobile/locale/fr.json index c4234077e..c5a860d04 100644 --- a/apps/spreadsheeteditor/mobile/locale/fr.json +++ b/apps/spreadsheeteditor/mobile/locale/fr.json @@ -68,6 +68,7 @@ "Main": { "criticalErrorTitle": "Erreur", "errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.
Veuillez contacter votre administrateur.", + "errorOpensource": "Sous version gratuite Community, le document est disponible en lecture seule. Pour accéder aux éditeurs mobiles web, vous avez besoin d'une licence payante.", "errorProcessSaveResult": "Échec de l‘enregistrement.", "errorServerVersion": "La version de l'éditeur a été mise à jour. La page sera rechargée pour appliquer les modifications.", "errorUpdateVersion": "La version du fichier a été changée. La page sera rechargée.", @@ -142,9 +143,14 @@ "textGuest": "Invité", "textHasMacros": "Le fichier contient des macros automatiques.
Voulez-vous exécuter les macros?", "textNo": "Non", + "textNoChoices": "Il n'y a pas de choix pour remplir la cellule.
Seules les valeurs de texte de la colonne peuvent être sélectionnées pour le remplacement.", "textNoLicenseTitle": "La limite de la licence est atteinte", + "textNoTextFound": "Texte non trouvé", + "textOk": "Accepter", "textPaidFeature": "Fonction payante", "textRemember": "Se souvenir de mon choix", + "textReplaceSkipped": "Le remplacement a été effectué. {0} occurrences ont été sautées.", + "textReplaceSuccess": "La recherche a été effectuée. Occurrences remplacées : {0}", "textYes": "Oui", "titleServerVersion": "L'éditeur est mis à jour", "titleUpdateVersion": "La version a été modifiée", @@ -154,12 +160,7 @@ "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.", - "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}" + "warnProcessRightsChange": "Vous n'avez pas la permission de modifier ce fichier." } }, "Error": { @@ -174,6 +175,7 @@ "errorAutoFilterDataRange": "Impossible de réaliser l'opération sur la plage de cellules spécifiée.
Sélectionnez une plage uniforme de données dans le tableau ou hors du tableau différente et réessayez.", "errorAutoFilterHiddenRange": "L'opération ne peut pas être effectuée car la zone contient des cellules filtrées.
Veuillez supprimer les filtres et réessayez.", "errorBadImageUrl": "L'URL de l'image est incorrecte", + "errorCannotUseCommandProtectedSheet": "Vous ne pouvez pas utiliser cette commande sur une feuille protégée. Pour utiliser cette commande, retirez la protection de la feuille.
Il peut vous être demandé de saisir un mot de passe.", "errorChangeArray": "Impossible de modifier une partie de matrice.", "errorChangeOnProtectedSheet": "La cellule ou le graphique que vous essayé de changer est sur une feuille protégée. Pour effectuer le changement, retirer al protection de la feuille. Un mot de passe pourrait vous être demandé.", "errorConnectToServer": "Impossible d'enregistrer ce document. Veuillez vérifier vos paramètres de connexion ou contactez l'administrateur.
Lorsque vous cliquez sur le bouton 'OK', vous serez invité à télécharger le document.", @@ -232,8 +234,7 @@ "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.", - "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": "L'image est trop grande. La taille limite est de 25 Mo." }, "LongActions": { "advDRMPassword": "Mot de passe", @@ -286,18 +287,19 @@ "textErrNotEmpty": "Le nom de feuille ne peut pas être vide. ", "textErrorLastSheet": "Un classeur doit avoir au moins une feuille de calcul visible.", "textErrorRemoveSheet": "Impossible de supprimer la feuille de calcul.", + "textHidden": "Masquée", "textHide": "Masquer", "textMore": "Plus", + "textMove": "Déplacer", + "textMoveBefore": "Déplacer avant la feuille", + "textMoveToEnd": "(Déplacer à la fin)", "textOk": "OK", "textRename": "Renommer", "textRenameSheet": "Renommer la feuille", "textSheet": "Feuille", "textSheetName": "Nom de la feuille", "textUnhide": "Afficher", - "textWarnDeleteSheet": "La feuille de calcul peut contenir des données. Êtes-vous sûr de vouloir continuer?", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textWarnDeleteSheet": "La feuille de calcul peut contenir des données. Êtes-vous sûr de vouloir continuer?" }, "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.", @@ -340,6 +342,7 @@ "textLink": "Lien", "textLinkSettings": "Paramètres de lien", "textLinkType": "Type de lien", + "textOk": "Accepter", "textOther": "Autre", "textPictureFromLibrary": "Image depuis la bibliothèque", "textPictureFromURL": "Image à partir d'une URL", @@ -357,8 +360,7 @@ "txtNotUrl": "Ce champ doit contenir une URL au format \"http://www.example.com\"", "txtSorting": "Tri", "txtSortSelected": "Trier l'objet sélectionné ", - "txtYes": "Oui", - "textOk": "Ok" + "txtYes": "Oui" }, "Edit": { "notcriticalErrorTitle": "Avertissement", @@ -377,6 +379,7 @@ "textAngleClockwise": "Rotation dans le sens des aiguilles d'une montre", "textAngleCounterclockwise": "Rotation dans le sens inverse des aiguilles d'une montre", "textAuto": "Auto", + "textAutomatic": "Automatique", "textAxisCrosses": "Intersection de l'axe", "textAxisOptions": "Options de l'axe", "textAxisPosition": "Position de l'axe", @@ -477,6 +480,7 @@ "textNoOverlay": "Sans superposition", "textNotUrl": "Ce champ doit contenir une URL au format \"http://www.example.com\"", "textNumber": "Nombre", + "textOk": "Accepter", "textOnTickMarks": "Graduations", "textOpacity": "Opacité", "textOut": "À l'extérieur", @@ -538,9 +542,7 @@ "textYen": "Yen", "txtNotUrl": "Ce champ doit contenir une URL au format \"http://www.example.com\"", "txtSortHigh2Low": "Trier du plus élevé au plus bas", - "txtSortLow2High": "Trier le plus bas au plus élevé", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "Trier le plus bas au plus élevé" }, "Settings": { "advCSVOptions": "Choisir les options CSV", @@ -570,6 +572,7 @@ "textComments": "Commentaires", "textCreated": "Créé", "textCustomSize": "Taille personnalisée", + "textDarkTheme": "Thème sombre", "textDelimeter": "Délimiteur", "textDisableAll": "Désactiver tout", "textDisableAllMacrosWithNotification": "Désactiver toutes les macros avec notification", @@ -670,8 +673,7 @@ "txtSemicolon": "Point-virgule", "txtSpace": "Espace", "txtTab": "Tabulation", - "warnDownloadAs": "Si vous continuez à enregistrer dans ce format toutes les fonctions sauf le texte seront perdues.
Êtes-vous sûr de vouloir continuer?", - "textDarkTheme": "Dark Theme" + "warnDownloadAs": "Si vous continuez à enregistrer dans ce format toutes les fonctions sauf le texte seront perdues.
Êtes-vous sûr de vouloir continuer?" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/gl.json b/apps/spreadsheeteditor/mobile/locale/gl.json index 26a6ce7bb..05818029d 100644 --- a/apps/spreadsheeteditor/mobile/locale/gl.json +++ b/apps/spreadsheeteditor/mobile/locale/gl.json @@ -68,6 +68,7 @@ "Main": { "criticalErrorTitle": "Erro", "errorAccessDeny": "Está intentando realizar unha acción para a que non ten dereitos.
Por favor, contacte co seu admiinistrador.", + "errorOpensource": "Usando a versión gratuíta da Comunidade, pode abrir documentos só para visualización. Para acceder editores da web móbil é necesaria unha licenza comercial.", "errorProcessSaveResult": "Erro ao gardar", "errorServerVersion": "A versión do editor foi actualizada. A páxina será recargada para aplicar os cambios.", "errorUpdateVersion": "Cambiouse a versión do ficheiro. A páxina será actualizada.", @@ -142,9 +143,14 @@ "textGuest": "Convidado(a)", "textHasMacros": "O ficheiro contén macros automáticas.
Quere executar macros?", "textNo": "Non", + "textNoChoices": "Non hai opcións para encher a cela.
Só se poden seleccionar os valores de texto da columna para substituílos.", "textNoLicenseTitle": "Alcanzouse o límite da licenza", + "textNoTextFound": "Texto non atopado", + "textOk": "Aceptar", "textPaidFeature": "Característica de pago", "textRemember": "Lembrar a miña escolla", + "textReplaceSkipped": "A substitución foi realizada. {0} ocorrencias foron ignoradas.", + "textReplaceSuccess": "A busca foi realizada. Ocorrencias substituídas: {0}", "textYes": "Si", "titleServerVersion": "Editor actualizado", "titleUpdateVersion": "Versión cambiada", @@ -154,12 +160,7 @@ "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.", - "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}" + "warnProcessRightsChange": "Non ten permiso para editar o ficheiro." } }, "Error": { @@ -174,6 +175,7 @@ "errorAutoFilterDataRange": "Non se puido facer a operación para o intervalo de celas seleccionado.
Seleccione un intervalo de datos uniforme dentro ou fóra da táboa e inténteo de novo.", "errorAutoFilterHiddenRange": "A operación non se pode realizar porque a área contén celas filtradas.
Por favor, mostra os elementos filtrados e inténtao de novo.", "errorBadImageUrl": "A URL da imaxe é incorrecta", + "errorCannotUseCommandProtectedSheet": "Non pode usar esta orde nunha folla protexida. Para usar esta orde, desprotexa a folla.
É posible que che pidan un contrasinal.", "errorChangeArray": "Non podes cambiar parte dunha matriz.", "errorChangeOnProtectedSheet": "A cela ou o gráfico que está intentando cambiar está nunha folla protexida. Para facer un cambio, desprotexa a folla. Pódeselle solicitar que introduza un contrasinal.", "errorConnectToServer": "Non se pode gardar este documento. Comprobe a configuración da súa conexión ou póñase en contacto co administrador.
Cando prema en Aceptar, pediráselle que descargue o documento.", @@ -232,8 +234,7 @@ "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.", - "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": "A imaxe é demasiado grande. O tamaño máximo é de 25 MB." }, "LongActions": { "advDRMPassword": "Contrasinal", @@ -286,8 +287,10 @@ "textErrNotEmpty": "O nome da folla non debe estar vacío", "textErrorLastSheet": "O libro debe ter polo menos unha folla de traballo visible.", "textErrorRemoveSheet": "Non se pode eliminar a folla de cálculo.", + "textHidden": "Agochado", "textHide": "Agochar", "textMore": "Máis", + "textMove": "Mover", "textOk": "Aceptar", "textRename": "Renomear", "textRenameSheet": "Renomear folla", @@ -295,9 +298,8 @@ "textSheetName": "Nome da folla", "textUnhide": "Volver a amosar", "textWarnDeleteSheet": "A folla de traballo pode que conteña datos. Queres continuar a operación?", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "Toolbar": { "dlgLeaveMsgText": "Ten cambios non gardados neste documento. Prema en \"Quedarse nesta páxina\" para esperar ata que se garden automaticamente. Prema en \"Saír desta páxina\" para descartar todos os cambios non gardados.", @@ -340,6 +342,7 @@ "textLink": "Ligazón", "textLinkSettings": "Configuración da ligazón", "textLinkType": "Tipo de ligazón", + "textOk": "Aceptar", "textOther": "Outro", "textPictureFromLibrary": "Imaxe da biblioteca", "textPictureFromURL": "Imaxe da URL", @@ -357,8 +360,7 @@ "txtNotUrl": "Este campo debe ser unha URL no formato \"http://www.example.com\"", "txtSorting": "Ordenación", "txtSortSelected": "Ordenar os obxectos seleccionados", - "txtYes": "Si", - "textOk": "Ok" + "txtYes": "Si" }, "Edit": { "notcriticalErrorTitle": "Aviso", @@ -377,6 +379,7 @@ "textAngleClockwise": "Ángulo no sentido horario", "textAngleCounterclockwise": "Ángulo no sentido antihorario", "textAuto": "Automático", + "textAutomatic": "Automático", "textAxisCrosses": "Cruces do eixo", "textAxisOptions": "Opcións dos eixos", "textAxisPosition": "Posición do eixo", @@ -477,6 +480,7 @@ "textNoOverlay": "Sen superposición", "textNotUrl": "Este campo debe ser unha URL no formato \"http://www.example.com\"", "textNumber": "Número", + "textOk": "Aceptar", "textOnTickMarks": "Marcas de gradación", "textOpacity": "Opacidade", "textOut": "Fóra", @@ -538,9 +542,7 @@ "textYen": "Ien", "txtNotUrl": "Este campo debe ser unha URL no formato \"http://www.example.com\"", "txtSortHigh2Low": "Ordenar de maior a menor", - "txtSortLow2High": "Ordenar de menor a maior ", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "Ordenar de menor a maior " }, "Settings": { "advCSVOptions": "Elexir os parámetros de CSV", @@ -570,6 +572,7 @@ "textComments": "Comentarios", "textCreated": "Creado", "textCustomSize": "Tamaño personalizado", + "textDarkTheme": "Tema escuro", "textDelimeter": "Delimitador", "textDisableAll": "Desactivar todo", "textDisableAllMacrosWithNotification": "Desactivar todas as macros con notificación", @@ -670,8 +673,7 @@ "txtSemicolon": "Punto e coma", "txtSpace": "Espazo", "txtTab": "Lapela", - "warnDownloadAs": "Se segue gardando neste formato, todas as características a excepción do texto perderanse.
Te na certeza de que desexa continuar?", - "textDarkTheme": "Dark Theme" + "warnDownloadAs": "Se segue gardando neste formato, todas as características a excepción do texto perderanse.
Te na certeza de que desexa continuar?" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/hu.json b/apps/spreadsheeteditor/mobile/locale/hu.json index 43ca11f91..e8f9aea49 100644 --- a/apps/spreadsheeteditor/mobile/locale/hu.json +++ b/apps/spreadsheeteditor/mobile/locale/hu.json @@ -142,9 +142,14 @@ "textGuest": "Vendég", "textHasMacros": "A fájl automatikus makrókat tartalmaz.
Szeretne makrókat futtatni?", "textNo": "Nem", + "textNoChoices": "Nincs lehetőség a cellának kitöltésére.
Csak az oszlopból származó szövegértékek választhatók ki cserére.", "textNoLicenseTitle": "Elérte a licenckorlátot", + "textNoTextFound": "A szöveg nem található", + "textOk": "OK", "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", "titleServerVersion": "Szerkesztő frissítve", "titleUpdateVersion": "A verzió megváltozott", @@ -155,11 +160,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.", - "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}" + "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." } }, "Error": { @@ -174,6 +175,7 @@ "errorAutoFilterDataRange": "A művelet nem hajtható végre a kiválasztott cellatartományban.
Válasszon egységes adattartományt a táblázaton belül vagy kívül és próbálkozzon újra.", "errorAutoFilterHiddenRange": "A művelet nem hajtható végre, mert a terület szűrt cellákat tartalmaz.
Kérjük, jelenítse meg a szűrt elemeket, és próbálja újra.", "errorBadImageUrl": "Hibás kép URL", + "errorCannotUseCommandProtectedSheet": "Ez a parancs nem használható védett munkalapon. A parancs használatához szüntesse meg a munkalap védelmét.
Előfordulhat, hogy jelszót kell megadnia.", "errorChangeArray": "Nem módosíthatja a tömb egy részét.", "errorChangeOnProtectedSheet": "A módosítani kívánt cella vagy diagram egy védett lapon található. A módosításhoz szüntesse meg a lap védelmét. Előfordulhat, hogy jelszót kell megadnia.", "errorConnectToServer": "Ezt a dokumentumot nem lehet menteni. Ellenőrizze a kapcsolat beállításait, vagy forduljon a rendszergazdához.
Ha az \"OK\" gombra kattint, a rendszer felkéri a dokumentum letöltésére.", @@ -232,8 +234,7 @@ "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.", - "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": "A kép túl nagy. A maximális méret 25 MB." }, "LongActions": { "advDRMPassword": "Jelszó", @@ -288,6 +289,7 @@ "textErrorRemoveSheet": "Nem törölhető a munkalap.", "textHide": "Elrejt", "textMore": "Több", + "textMove": "Áthelyezés", "textOk": "OK", "textRename": "Átnevezés", "textRenameSheet": "Munkalap átnevezése", @@ -295,9 +297,9 @@ "textSheetName": "Munkalap neve", "textUnhide": "Megmutat", "textWarnDeleteSheet": "A munkalap lehet hogy tartalmaz adatok. Folytatja a műveletet?", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textHidden": "Hidden", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "Toolbar": { "dlgLeaveMsgText": "Nem mentett módosításai vannak ebben a dokumentumban. 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.", @@ -340,6 +342,7 @@ "textLink": "Hivatkozás", "textLinkSettings": "Hivatkozás beállítások", "textLinkType": "Hivatkozás típusa", + "textOk": "OK", "textOther": "Egyéb", "textPictureFromLibrary": "Kép a könyvtárból", "textPictureFromURL": "Kép URL-en keresztül", @@ -357,8 +360,7 @@ "txtNotUrl": "Ennek a mezőnek URL formátumúnak kell lennie, pl.: „http://www.pelda.hu”", "txtSorting": "Rendezés", "txtSortSelected": "Kiválasztottak renezése", - "txtYes": "Igen", - "textOk": "Ok" + "txtYes": "Igen" }, "Edit": { "notcriticalErrorTitle": "Figyelmeztetés", @@ -377,6 +379,7 @@ "textAngleClockwise": "Óramutató járásával megegyező irányba", "textAngleCounterclockwise": "Óramutató járásával ellentétes irányba", "textAuto": "Auto", + "textAutomatic": "Automatikus", "textAxisCrosses": "Tengelykeresztek", "textAxisOptions": "Tengely beállítások", "textAxisPosition": "Tengelypozíció", @@ -477,6 +480,7 @@ "textNoOverlay": "Nincs átfedés", "textNotUrl": "Ennek a mezőnek URL formátumúnak kell lennie, pl.: „http://www.pelda.hu”", "textNumber": "Szám", + "textOk": "OK", "textOnTickMarks": "Pipákon", "textOpacity": "Áttetszőség", "textOut": "Ki", @@ -538,9 +542,7 @@ "textYen": "Jen", "txtNotUrl": "Ennek a mezőnek URL formátumúnak kell lennie, pl.: „http://www.pelda.hu”", "txtSortHigh2Low": "A legnagyobbtól a legkisebbig rendez", - "txtSortLow2High": "Legkisebbtől legnagyobbig rendez", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "Legkisebbtől legnagyobbig rendez" }, "Settings": { "advCSVOptions": "Válasszon a CSV beállítások közül", @@ -570,6 +572,7 @@ "textComments": "Megjegyzések", "textCreated": "Létrehozva", "textCustomSize": "Egyéni méret", + "textDarkTheme": "Sötét téma", "textDelimeter": "Elválasztó", "textDisableAll": "Összes letiltása", "textDisableAllMacrosWithNotification": "Minden értesítéssel rendelkező makró letiltása", @@ -670,8 +673,7 @@ "txtSemicolon": "Pontosvessző", "txtSpace": "Szóköz", "txtTab": "Lap", - "warnDownloadAs": "Ha ebbe a formátumba ment, a nyers szövegen kívül minden elveszik.
Biztos benne, hogy folytatni akarja?", - "textDarkTheme": "Dark Theme" + "warnDownloadAs": "Ha ebbe a formátumba ment, a nyers szövegen kívül minden elveszik.
Biztos benne, hogy folytatni akarja?" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/it.json b/apps/spreadsheeteditor/mobile/locale/it.json index 3ad8e0585..1821935e5 100644 --- a/apps/spreadsheeteditor/mobile/locale/it.json +++ b/apps/spreadsheeteditor/mobile/locale/it.json @@ -68,6 +68,7 @@ "Main": { "criticalErrorTitle": "Errore", "errorAccessDeny": "Stai cercando di eseguire un'azione per la quale non hai diritti.
Ti preghiamo di contattare il tuo amministratore.", + "errorOpensource": "Usando la versione gratuita Community, puoi aprire i documenti solo per visualizzarli. Per accedere agli editor mobili sul web è richiesta una licenza commerciale.", "errorProcessSaveResult": "Salvataggio è fallito.", "errorServerVersion": "La versione dell'editor è stata aggiornata. La pagina verrà ricaricata per applicare i cambiamenti.", "errorUpdateVersion": "La versione del file è stata cambiata. La pagina verrà ricaricata.", @@ -142,9 +143,14 @@ "textGuest": "Ospite", "textHasMacros": "Il file contiene macro automatiche.
Vuoi eseguire le macro?", "textNo": "No", + "textNoChoices": "Non ci sono alternative per riempire la cella.
Solo i valori testo dalla colonna possono essere selezionati per la sostituzione", "textNoLicenseTitle": "È stato raggiunto il limite della licenza", + "textNoTextFound": "Testo non trovato", + "textOk": "OK", "textPaidFeature": "Funzionalità a pagamento", "textRemember": "Ricordare la mia scelta", + "textReplaceSkipped": "La sostituzione è stata effettuata. {0} casi sono stati saltati.", + "textReplaceSuccess": "La ricerca è stata effettuata. Casi sostituiti: {0}", "textYes": "Sì", "titleServerVersion": "L'editor è stato aggiornato", "titleUpdateVersion": "La versione è stata cambiata", @@ -154,12 +160,7 @@ "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.", - "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}" + "warnProcessRightsChange": "Non hai il permesso di modificare il file." } }, "Error": { @@ -174,6 +175,7 @@ "errorAutoFilterDataRange": "Impossibile eseguire l'operazione per l'intervallo di celle selezionato.
Seleziona un intervallo di dati uniforme all'interno o all'esterno della tabella e riprova.", "errorAutoFilterHiddenRange": "L'operazione non può essere eseguita perché l'area contiene le celle filtrate.
Si prega di mostrare gli elementi filtrati e riprovare.", "errorBadImageUrl": "URL dell'immagine non è corretto", + "errorCannotUseCommandProtectedSheet": "Non è possibile utilizzare questo comando su un foglio protetto. Per utilizzare questo comando, sproteggi il foglio.
Potrebbe essere richiesto di inserire una password.", "errorChangeArray": "Non puoi cambiare parte di un array.", "errorChangeOnProtectedSheet": "La cella o il grafico che stai cercando di modificare si trova su un foglio protetto. Per apportare una modifica, rimuovere la protezione del foglio. Potrebbe esserti richiesto di inserire una password.", "errorConnectToServer": "Impossibile salvare questo documento. Controlla le impostazioni di connessione o contatta il tuo amministratore.
Quando fai clic sul pulsante \"OK\", ti verrà chiesto di scaricare il documento.", @@ -232,8 +234,7 @@ "unknownErrorText": "Errore sconosciuto.", "uploadImageExtMessage": "Formato d'immagine sconosciuto.", "uploadImageFileCountMessage": "Nessuna immagine caricata.", - "uploadImageSizeMessage": "L'immagine è troppo grande. La dimensione massima è 25 MB.", - "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": "L'immagine è troppo grande. La dimensione massima è 25 MB." }, "LongActions": { "advDRMPassword": "Password", @@ -286,8 +287,10 @@ "textErrNotEmpty": "Il nome del foglio non può essere lasciato vuoto", "textErrorLastSheet": "Il libro di lavoro deve avere almeno un foglio di calcolo visibile.", "textErrorRemoveSheet": "Impossibile cancellare il foglio di calcolo", + "textHidden": "Nascosto", "textHide": "Nascondere", "textMore": "Di più", + "textMove": "Sposta", "textOk": "OK", "textRename": "Rinominare", "textRenameSheet": "Rinominare foglio", @@ -295,9 +298,8 @@ "textSheetName": "Nome foglio", "textUnhide": "Scoprire", "textWarnDeleteSheet": "Il foglio di calcolo potrebbe contenere dati. Procedere con l'operazione?", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "Toolbar": { "dlgLeaveMsgText": "Ci sono i cambiamenti non salvati in questo documento. Fai clic su \"Rimanere su questa pagina\" per attendere il salvataggio automatico. Fai clic su \"Lasciare questa pagina\" per eliminare tutti i cambiamenti non salvati.", @@ -340,6 +342,7 @@ "textLink": "Link", "textLinkSettings": "Impostazioni di link", "textLinkType": "Tipo di link", + "textOk": "OK", "textOther": "Altro", "textPictureFromLibrary": "Immagine dalla libreria", "textPictureFromURL": "Immagine dall'URL", @@ -357,8 +360,7 @@ "txtNotUrl": "Questo campo deve essere un URL nel formato \"http://www.example.com\"", "txtSorting": "Ordinamento", "txtSortSelected": "Ordinare selezionato", - "txtYes": "Sì", - "textOk": "Ok" + "txtYes": "Sì" }, "Edit": { "notcriticalErrorTitle": "Avvertimento", @@ -377,6 +379,7 @@ "textAngleClockwise": "Angolo in senso orario", "textAngleCounterclockwise": "Angolo in senso antiorario", "textAuto": "Auto", + "textAutomatic": "Automatico", "textAxisCrosses": "Intersezione con l'asse", "textAxisOptions": "Opzioni dell'asse", "textAxisPosition": "Posizione dell'asse", @@ -477,6 +480,7 @@ "textNoOverlay": "Nessuna sovrapposizione", "textNotUrl": "Questo campo deve essere un URL nel formato \"http://www.example.com\"", "textNumber": "Numero", + "textOk": "OK", "textOnTickMarks": "Segni di graduazione", "textOpacity": "Opacità", "textOut": "All'esterno", @@ -538,9 +542,7 @@ "textYen": "Yen", "txtNotUrl": "Questo campo deve essere un URL nel formato \"http://www.example.com\"", "txtSortHigh2Low": "Ordinare dal più alto al più basso", - "txtSortLow2High": "Ordinare dal più basso al più alto", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "Ordinare dal più basso al più alto" }, "Settings": { "advCSVOptions": "Scegliere le opzioni CSV", @@ -570,6 +572,7 @@ "textComments": "Commenti", "textCreated": "Creato", "textCustomSize": "Dimensione personalizzata", + "textDarkTheme": "‎Tema scuro‎", "textDelimeter": "Delimitatore", "textDisableAll": "Disabilitare tutto", "textDisableAllMacrosWithNotification": "Disabilitare tutte le macro con notifica", @@ -670,8 +673,7 @@ "txtSemicolon": "Punto e virgola", "txtSpace": "Spazio", "txtTab": "Tabulazione", - "warnDownloadAs": "Se continui a salvare in questo formato, tutte le funzioni tranne il testo saranno perse.
Sei sicuro di voler continuare?", - "textDarkTheme": "Dark Theme" + "warnDownloadAs": "Se continui a salvare in questo formato, tutte le funzioni tranne il testo saranno perse.
Sei sicuro di voler continuare?" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/ja.json b/apps/spreadsheeteditor/mobile/locale/ja.json index eee566cdf..a7d738867 100644 --- a/apps/spreadsheeteditor/mobile/locale/ja.json +++ b/apps/spreadsheeteditor/mobile/locale/ja.json @@ -68,6 +68,7 @@ "Main": { "criticalErrorTitle": "エラー", "errorAccessDeny": "許可されていないアクションを実行しています。アドミニストレータを連絡してください。", + "errorOpensource": "無料のコミュニティバージョンを使用すると、表示専用のドキュメントを開くことができます。モバイルWebエディターにアクセスするには、商用ライセンスが必要です。", "errorProcessSaveResult": "保存が失敗", "errorServerVersion": "エディターのバージョンが更新されました。 変更を適用するために、ページが再読み込みされます。", "errorUpdateVersion": "ファイルのバージョンが変更されました。ページが再ロードされます。", @@ -142,24 +143,24 @@ "textGuest": "ゲスト", "textHasMacros": "ファイルには自動マクロが含まれています。
マクロを実行しますか?", "textNo": "いいえ", + "textNoChoices": "セルを記入する選択肢がありません。
置換対象として選択できるのは列のテキスト値のみです。", "textNoLicenseTitle": "ライセンス制限に達しました", + "textNoTextFound": "テキストが見つかりませんでした", + "textOk": "OK", "textPaidFeature": "有料機能", "textRemember": "選択を覚える", + "textReplaceSkipped": "置換が完了しました。{0}つスキップされました。", + "textReplaceSuccess": "検索が完了しました。{0}つが置換されました。", "textYes": "Yes", "titleServerVersion": "編集者が更新された", "titleUpdateVersion": "バージョンが変更されました", "warnLicenseExceeded": "%1エディター 時接続数の制限に達しました。この文書が見るだけのために開かれる。詳細についてはアドミニストレータを連絡してください。", - "warnLicenseLimitedNoAccess": "ライセンスが満期しました。編集の汎関数にアクセスがありません。アドミンに連絡してください。", + "warnLicenseLimitedNoAccess": "ライセンスの有効期限が切れています。ドキュメント編集機能にアクセスできません。管理者にご連絡ください。", "warnLicenseLimitedRenewed": "ライセンスを書き換えが必要です。編集の汎関数にアクセスの制限があります。
フル アクセスを受けてようにアドミニストレータを連絡してください。", "warnLicenseUsersExceeded": "%1エディターのユーザー制限に達しました。 詳細についてはアドミニストレータを連絡してください。", "warnNoLicense": "%1エディター 時接続数の制限に達しました。この文書が見るだけのために開かれる。個人的なアップグレード条件については、%1営業チームを連絡してください。", "warnNoLicenseUsers": "%1エディターのユーザー制限に達しました。 個人的なアップグレード条件については、%1営業チームを連絡してください。", - "warnProcessRightsChange": "ファイルを編集する権限がありません!", - "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}" + "warnProcessRightsChange": "ファイルを編集する権限がありません!" } }, "Error": { @@ -174,6 +175,7 @@ "errorAutoFilterDataRange": "選択したセルの範囲に対しては操作を実行できません。表の中また表の外に均質のデータの範囲を選択してもう一度してください。", "errorAutoFilterHiddenRange": "範囲がフィルターセルがありますから操作を実行できません。フィルターした要素を表示してもう一度してください。", "errorBadImageUrl": "画像のURLが正しくありません。", + "errorCannotUseCommandProtectedSheet": "このコマンドは、保護されたシートでは使用できません。このコマンドを使用するには、シートの保護を解除してください。
パスワードの入力を求められる場合があります。", "errorChangeArray": "配列の一部を変更することはできません。", "errorChangeOnProtectedSheet": "変更しようとしているセルやチャートが保護されたシートにあります。変更するには、対象のシートの保護を解除してください。パスワードの入力を求められる場合があります。", "errorConnectToServer": "この文書を保存できません。接続設定をチェックし、アドミニストレータを連絡してください。
「OK」をクリックすると、文書をダウンロードするに提案されます。", @@ -220,7 +222,7 @@ "errorUpdateVersionOnDisconnect": "インターネット接続が復旧し、ファイルのバージョンが更新されました。
作業を継続する前に、ファイルをダウンロードするか、内容をコピーして、変更が消えてしまわないように確認してから、ページを再びお読み込みください。", "errorUserDrop": "今、ファイルにアクセスすることはできません。", "errorUsersExceed": "料金プランで許可されているユーザー数を超えました。", - "errorViewerDisconnect": "接続が失われました。あなたはまだ文書を見えるけど,
接続が復元されたしページが再読み込まれたまで文書をダウンロードと印刷できません。", + "errorViewerDisconnect": "接続が失われました。文書の表示は可能ですが、
再度接続されてページが再ロードされるまで、ダウンロードまたは印刷することはできません。", "errorWrongBracketsCount": "数式でエラーがあります。
ブラケットの数が正しくありません。", "errorWrongOperator": "入力した数式にエラーがあります。間違った演算子が使用されています。
エラーを修正する。", "notcriticalErrorTitle": " 警告", @@ -232,8 +234,7 @@ "unknownErrorText": "不明なエラー", "uploadImageExtMessage": "不明なイメージ形式", "uploadImageFileCountMessage": "アップロードしたイメージがない", - "uploadImageSizeMessage": "イメージのサイズの上限が超えさせました。サイズの上限が25MB。", - "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": "イメージのサイズの上限が超えさせました。サイズの上限が25MB。" }, "LongActions": { "advDRMPassword": "パスワード", @@ -286,8 +287,10 @@ "textErrNotEmpty": "シート名は空であってはなりません", "textErrorLastSheet": "ブックではシートが少なくとも 1 つ表示されている必要があります。", "textErrorRemoveSheet": "ワークシートを削除できません。", + "textHidden": "非表示", "textHide": "隠す", "textMore": "もっと", + "textMove": "移動", "textOk": "OK", "textRename": "名前の変更", "textRenameSheet": "このシートの名前を変更する", @@ -295,9 +298,8 @@ "textSheetName": "シートの名", "textUnhide": "表示する", "textWarnDeleteSheet": "ワークシートはデータがあるそうです。操作を続けてもよろしいですか?", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "Toolbar": { "dlgLeaveMsgText": "保存されていない変更があります。自動保存を待つように「このページから移動しない」をクリックしてください。保存されていない変更を破棄ように「このページから移動する」をクリックしてください。", @@ -340,6 +342,7 @@ "textLink": "リンク", "textLinkSettings": "リンク設定", "textLinkType": "リンクのタイプ", + "textOk": "OK", "textOther": "その他", "textPictureFromLibrary": "ライブラリからのイメージ", "textPictureFromURL": "URLからのイメージ", @@ -357,8 +360,7 @@ "txtNotUrl": "このフィールドは、「http://www.example.com」の形式のURLである必要があります。", "txtSorting": "並べ替え中", "txtSortSelected": "選択したを並べ替える", - "txtYes": "Yes", - "textOk": "Ok" + "txtYes": "Yes" }, "Edit": { "notcriticalErrorTitle": " 警告", @@ -377,6 +379,7 @@ "textAngleClockwise": "右回りに​​回転", "textAngleCounterclockwise": "左回りに​​回転", "textAuto": "オート", + "textAutomatic": "自動", "textAxisCrosses": "軸との交点", "textAxisOptions": "軸の設定", "textAxisPosition": "軸位置", @@ -477,6 +480,7 @@ "textNoOverlay": "オーバーレイなし", "textNotUrl": "このフィールドは、「http://www.example.com」の形式のURLである必要があります。", "textNumber": "数", + "textOk": "OK", "textOnTickMarks": "目盛", "textOpacity": "不透明度", "textOut": "外", @@ -538,9 +542,7 @@ "textYen": "円", "txtNotUrl": "このフィールドは、「http://www.example.com」の形式のURLである必要があります。", "txtSortHigh2Low": " 大きい順に並べ替えます", - "txtSortLow2High": "小さい順に並べ替えます。", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "小さい順に並べ替えます。" }, "Settings": { "advCSVOptions": "CSVオプションを選択する", @@ -570,13 +572,14 @@ "textComments": "コメント", "textCreated": "作成された", "textCustomSize": "ユーザー設定サイズ", + "textDarkTheme": "ダークテーマ", "textDelimeter": "デリミタ", "textDisableAll": "全てを無効にする", "textDisableAllMacrosWithNotification": "警告を表示して全てのマクロを無効にする", "textDisableAllMacrosWithoutNotification": "警告を表示してないすべてのマクロを無効にする", "textDone": "完了", "textDownload": "ダウンロード", - "textDownloadAs": "としてダウンロード", + "textDownloadAs": "名前を付けてダウンロード", "textEmail": "メール", "textEnableAll": "全てを有効にする", "textEnableAllMacrosWithoutNotification": "警告を表示してないすべてのマクロを有効にする", @@ -670,8 +673,7 @@ "txtSemicolon": "セミコロン", "txtSpace": "スペース", "txtTab": "タブ", - "warnDownloadAs": "この形式で保存する続けば、テクスト除いて全てが失います。続けてもよろしいですか?", - "textDarkTheme": "Dark Theme" + "warnDownloadAs": "この形式で保存する続けば、テクスト除いて全てが失います。続けてもよろしいですか?" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/ko.json b/apps/spreadsheeteditor/mobile/locale/ko.json index 9e8913936..afe5a7913 100644 --- a/apps/spreadsheeteditor/mobile/locale/ko.json +++ b/apps/spreadsheeteditor/mobile/locale/ko.json @@ -155,6 +155,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", @@ -295,9 +296,10 @@ "textSheetName": "시트 이름", "textUnhide": "숨기기 해제", "textWarnDeleteSheet": "워크시트에 데이터가 포함될 수 있습니다. 진행 하시겠습니까?", + "textHidden": "Hidden", "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "Toolbar": { "dlgLeaveMsgText": "이 문서에 저장되지 않은 변경 사항이 있습니다. 자동 저장을 활성화하려면 \"이 페이지에서 나가기\"를 클릭하십시오. \"이 페이지에서 나가기\"를 클릭하면 저장되지 않은 모든 편집 내용이 삭제됩니다.", diff --git a/apps/spreadsheeteditor/mobile/locale/lo.json b/apps/spreadsheeteditor/mobile/locale/lo.json index 2e6976626..92302679e 100644 --- a/apps/spreadsheeteditor/mobile/locale/lo.json +++ b/apps/spreadsheeteditor/mobile/locale/lo.json @@ -159,7 +159,8 @@ "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" + "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." } }, "Error": { @@ -297,7 +298,10 @@ "textOk": "Ok", "textMove": "Move", "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveForward": "Move forward", + "textHidden": "Hidden", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "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.", diff --git a/apps/spreadsheeteditor/mobile/locale/lv.json b/apps/spreadsheeteditor/mobile/locale/lv.json index 2e6976626..92302679e 100644 --- a/apps/spreadsheeteditor/mobile/locale/lv.json +++ b/apps/spreadsheeteditor/mobile/locale/lv.json @@ -159,7 +159,8 @@ "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" + "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." } }, "Error": { @@ -297,7 +298,10 @@ "textOk": "Ok", "textMove": "Move", "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveForward": "Move forward", + "textHidden": "Hidden", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "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.", diff --git a/apps/spreadsheeteditor/mobile/locale/nb.json b/apps/spreadsheeteditor/mobile/locale/nb.json index 2e6976626..92302679e 100644 --- a/apps/spreadsheeteditor/mobile/locale/nb.json +++ b/apps/spreadsheeteditor/mobile/locale/nb.json @@ -159,7 +159,8 @@ "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" + "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." } }, "Error": { @@ -297,7 +298,10 @@ "textOk": "Ok", "textMove": "Move", "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveForward": "Move forward", + "textHidden": "Hidden", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "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.", diff --git a/apps/spreadsheeteditor/mobile/locale/nl.json b/apps/spreadsheeteditor/mobile/locale/nl.json index d52a6cd89..07a11e956 100644 --- a/apps/spreadsheeteditor/mobile/locale/nl.json +++ b/apps/spreadsheeteditor/mobile/locale/nl.json @@ -155,6 +155,7 @@ "warnNoLicense": "U hebt de limiet bereikt voor gelijktijdige verbindingen met %1 gelijktijdige gebruikers. Dit document wordt alleen geopend om te bekijken. Neem contact op met %1 verkoopteam voor persoonlijke upgradevoorwaarden.", "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.", + "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", @@ -295,9 +296,10 @@ "textSheetName": "Bladnaam", "textUnhide": "Verbergen ongedaan maken", "textWarnDeleteSheet": "Het werkblad heeft misschien gegevens. Verder gaan met de bewerking?", + "textHidden": "Hidden", "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "Toolbar": { "dlgLeaveMsgText": "U hebt niet-opgeslagen wijzigingen in dit document. Klik op 'Blijf op deze pagina' om te wachten op automatisch opslaan. Klik op 'Verlaat deze pagina' om alle niet-opgeslagen wijzigingen te verwijderen.", @@ -570,6 +572,7 @@ "textComments": "Opmerkingen", "textCreated": "Aangemaakt", "textCustomSize": "Aangepaste grootte", + "textDarkTheme": "Donker thema", "textDelimeter": "Scheidingsteken", "textDisableAll": "Alles uitschakelen", "textDisableAllMacrosWithNotification": "Schakel alle macro's uit met een melding", @@ -670,8 +673,7 @@ "txtSemicolon": "Puntkomma", "txtSpace": "Spatie", "txtTab": "Tab", - "warnDownloadAs": "Als u doorgaat met opslaan in dit formaat, gaat alle opmaak verloren en blijft alleen de tekst behouden.
Wilt u doorgaan?", - "textDarkTheme": "Dark Theme" + "warnDownloadAs": "Als u doorgaat met opslaan in dit formaat, gaat alle opmaak verloren en blijft alleen de tekst behouden.
Wilt u doorgaan?" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/pl.json b/apps/spreadsheeteditor/mobile/locale/pl.json index 2e6976626..92302679e 100644 --- a/apps/spreadsheeteditor/mobile/locale/pl.json +++ b/apps/spreadsheeteditor/mobile/locale/pl.json @@ -159,7 +159,8 @@ "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" + "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." } }, "Error": { @@ -297,7 +298,10 @@ "textOk": "Ok", "textMove": "Move", "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveForward": "Move forward", + "textHidden": "Hidden", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "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.", diff --git a/apps/spreadsheeteditor/mobile/locale/pt.json b/apps/spreadsheeteditor/mobile/locale/pt.json index 247ad119f..62822a8e4 100644 --- a/apps/spreadsheeteditor/mobile/locale/pt.json +++ b/apps/spreadsheeteditor/mobile/locale/pt.json @@ -68,6 +68,7 @@ "Main": { "criticalErrorTitle": "Erro", "errorAccessDeny": "Você está tentando realizar uma ação para a qual não possui direitos.
Por favor, entre em contato com o seu administrador.", + "errorOpensource": "Usando a versão gratuita da Comunidade, você pode abrir documentos apenas para visualização. Para acessar editores da web móvel, é necessária uma licença comercial.", "errorProcessSaveResult": "O 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.", @@ -286,18 +287,19 @@ "textErrNotEmpty": "Nome da folha não deve estar vazio", "textErrorLastSheet": "A apostila deve ter pelo menos uma folha de trabalho visível.", "textErrorRemoveSheet": "Não é possível excluir a folha de trabalho.", + "textHidden": "Oculto", "textHide": "Ocultar", "textMore": "Mais", "textMove": "Mover", - "textMoveBack": "Voltar", - "textMoveForward": "Mover para frente", "textOk": "OK", "textRename": "Renomear", "textRenameSheet": "Renomear Folha", "textSheet": "Folha", "textSheetName": "Nome da folha", "textUnhide": "Reexibir", - "textWarnDeleteSheet": "A folha de trabalho talvez tenha dados. Proceder à operação?" + "textWarnDeleteSheet": "A folha de trabalho talvez tenha dados. Proceder à operação?", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "Toolbar": { "dlgLeaveMsgText": "Você tem alterações não salvas neste documento. Clique em 'Permanecer nesta página' para aguardar o salvamento automático. Clique em 'Sair desta página' para descartar todas as alterações não salvas.", diff --git a/apps/spreadsheeteditor/mobile/locale/ro.json b/apps/spreadsheeteditor/mobile/locale/ro.json index 2df8a05eb..8c488620b 100644 --- a/apps/spreadsheeteditor/mobile/locale/ro.json +++ b/apps/spreadsheeteditor/mobile/locale/ro.json @@ -68,6 +68,7 @@ "Main": { "criticalErrorTitle": "Eroare", "errorAccessDeny": "Nu aveți dreptul să efectuați acțiunea pe care doriți.
Contactați administratorul dvs.", + "errorOpensource": "În versiunea Community documentul este disponibil numai pentru vizualizare. Aveți nevoie de o licență comercială pentru accesarea editorului mobil web.", "errorProcessSaveResult": "Salvarea a eșuat.", "errorServerVersion": "Editorul a fost actualizat. Pagina va fi reîmprospătată pentru a aplica această actualizare.", "errorUpdateVersion": "Versiunea fișierului s-a modificat. Pagina va fi reîmprospătată.", @@ -142,9 +143,14 @@ "textGuest": "Invitat", "textHasMacros": "Fișierul conține macrocomenzi.
Doriți să le rulați?", "textNo": "Nu", + "textNoChoices": "Opțiunele de completare datelor în celulă
Pentru înlocuire puteți selecta numai valori de text în coloană.", "textNoLicenseTitle": "Ați atins limita stabilită de licență", + "textNoTextFound": "Textul nu a fost găsit", + "textOk": "OK", "textPaidFeature": "Funcția contra plată", "textRemember": "Reține opțiunea mea", + "textReplaceSkipped": "A avut loc o înlocuire. {0} apariții ignorate.", + "textReplaceSuccess": "Căutarea a fost finalizată. Înlocuiri: {0}", "textYes": "Da", "titleServerVersion": "Editorul a fost actualizat", "titleUpdateVersion": "Versiunea s-a modificat", @@ -154,12 +160,7 @@ "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.", - "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}" + "warnProcessRightsChange": "Nu aveți permisiunea de editare pentru fișier." } }, "Error": { @@ -174,6 +175,7 @@ "errorAutoFilterDataRange": "Operațiunea nu poare fi efectuată pentru celulele selectate.
Selectați o altă zonă de date uniformă din tabel sau în afara tabelului și încercați din nou.", "errorAutoFilterHiddenRange": "Operațiunea nu poate fi efectuată deoarece zonă conține celule filtrate.
Reafișați elementele filtrate și încercați din nou.", "errorBadImageUrl": "URL-ul imaginii incorectă", + "errorCannotUseCommandProtectedSheet": "Nu puteți folosi această comandă într-o foaie de calcul protejată. Ca să o folosiți, protejarea foii trebuie anulată.
Introducerea parolei poate fi necesară.", "errorChangeArray": "Nu puteți modifica parte dintr-o matrice.", "errorChangeOnProtectedSheet": "Celula sau diagrama pe care încercați să schimbați este din foaia de calcul protejată. Dezactivați protejarea foii de calcul dacă doriți s-o schimați.Este posibil să fie necesară introducerea parolei.", "errorConnectToServer": "Salvarea documentului nu este posibilă. Verificați configurarea conexeunii sau contactaţi administratorul dumneavoastră de reţea
Când faceți clic pe OK, vi se va solicita să descărcați documentul.", @@ -232,8 +234,7 @@ "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.", - "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": "Imaginea este prea mare. Limita de dimensiune este de 25 MB." }, "LongActions": { "advDRMPassword": "Parola", @@ -286,18 +287,19 @@ "textErrNotEmpty": "Nu lăsați numele foii necompletat", "textErrorLastSheet": "În registrul de calcul trebuie să fie vizibilă cel puțin o foie de lucru. ", "textErrorRemoveSheet": "Foaia de calcul nu poate fi ștearsă.", + "textHidden": "Ascuns", "textHide": "Ascunde", "textMore": "Mai multe", + "textMove": "Mutare", + "textMoveBefore": "Mutare înaintea foii", + "textMoveToEnd": "(Mutare la sfârșit)", "textOk": "OK", "textRename": "Redenumire", "textRenameSheet": "Redenumire foaie", "textSheet": "Foaie", "textSheetName": "Numele foii", "textUnhide": "Reafișare", - "textWarnDeleteSheet": "Foaie de calcul poate conține datele. Sigur doriți să continuați?", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textWarnDeleteSheet": "Foaie de calcul poate conține datele. Sigur doriți să continuați?" }, "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.", @@ -340,6 +342,7 @@ "textLink": "Link", "textLinkSettings": "Configurarea link", "textLinkType": "Tip link", + "textOk": "OK", "textOther": "Altele", "textPictureFromLibrary": "Imagine dintr-o bibliotecă ", "textPictureFromURL": "Imaginea prin URL", @@ -357,8 +360,7 @@ "txtNotUrl": "Câmpul trebuie să conțină adresa URL in format \"http://www.example.com\"", "txtSorting": "Sortare", "txtSortSelected": "Sortarea selecției", - "txtYes": "Da", - "textOk": "Ok" + "txtYes": "Da" }, "Edit": { "notcriticalErrorTitle": "Avertisment", @@ -377,6 +379,7 @@ "textAngleClockwise": "Unghi de rotație în sens orar", "textAngleCounterclockwise": "Unghi de rotație în sens antiorar", "textAuto": "Auto", + "textAutomatic": "Automat", "textAxisCrosses": "Intersecția cu axă", "textAxisOptions": "Opțiuni axă", "textAxisPosition": "Poziție axă", @@ -477,6 +480,7 @@ "textNoOverlay": "Fără suprapunere", "textNotUrl": "Câmpul trebuie să conțină adresa URL in format \"http://www.example.com\"", "textNumber": "Număr", + "textOk": "OK", "textOnTickMarks": "Pe gradații", "textOpacity": "Transparență", "textOut": "Din", @@ -538,9 +542,7 @@ "textYen": "Yen", "txtNotUrl": "Câmpul trebuie să conțină adresa URL in format \"http://www.example.com\"", "txtSortHigh2Low": "Sortare de la cea mai mare la cea mai mică valoare", - "txtSortLow2High": "Sortare de la cea mai mică la cea mai mare valoare", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "Sortare de la cea mai mică la cea mai mare valoare" }, "Settings": { "advCSVOptions": "Alegerea opțiunilor CSV", @@ -570,6 +572,7 @@ "textComments": "Comentarii", "textCreated": "A fost creat la", "textCustomSize": "Dimensiunea particularizată", + "textDarkTheme": "Tema întunecată", "textDelimeter": "Delimitator", "textDisableAll": "Se dezactivează toate", "textDisableAllMacrosWithNotification": "Se dezactivează toate macrocomenzile, cu notificare ", @@ -670,8 +673,7 @@ "txtSemicolon": "Punct și virgulă", "txtSpace": "Spațiu", "txtTab": "Tabulator", - "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?", - "textDarkTheme": "Dark Theme" + "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?" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/ru.json b/apps/spreadsheeteditor/mobile/locale/ru.json index c85bea8c7..c49d387f6 100644 --- a/apps/spreadsheeteditor/mobile/locale/ru.json +++ b/apps/spreadsheeteditor/mobile/locale/ru.json @@ -68,6 +68,7 @@ "Main": { "criticalErrorTitle": "Ошибка", "errorAccessDeny": "Вы пытаетесь выполнить действие, на которое у вас нет прав.
Пожалуйста, обратитесь к администратору.", + "errorOpensource": "Используя бесплатную версию Community, вы можете открывать документы только на просмотр. Для доступа к мобильным веб-редакторам требуется коммерческая лицензия.", "errorProcessSaveResult": "Не удалось завершить сохранение.", "errorServerVersion": "Версия редактора была обновлена. Страница будет перезагружена, чтобы применить изменения.", "errorUpdateVersion": "Версия файла была изменена. Страница будет перезагружена.", @@ -145,6 +146,7 @@ "textNoChoices": "Нет вариантов для заполнения ячейки.
Для замены можно выбрать только текстовые значения из столбца.", "textNoLicenseTitle": "Лицензионное ограничение", "textNoTextFound": "Текст не найден", + "textOk": "Ok", "textPaidFeature": "Платная функция", "textRemember": "Запомнить мой выбор", "textReplaceSkipped": "Замена выполнена. Пропущено вхождений - {0}.", @@ -158,8 +160,7 @@ "warnLicenseUsersExceeded": "Вы достигли лимита на количество пользователей редакторов %1. Свяжитесь с администратором, чтобы узнать больше.", "warnNoLicense": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт на просмотр. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", "warnNoLicenseUsers": "Вы достигли лимита на количество пользователей редакторов %1. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", - "warnProcessRightsChange": "У вас нет прав на редактирование этого файла.", - "textOk": "Ok" + "warnProcessRightsChange": "У вас нет прав на редактирование этого файла." } }, "Error": { @@ -174,6 +175,7 @@ "errorAutoFilterDataRange": "Операция не может быть произведена для выбранного диапазона ячеек.
Выделите однородный диапазон данных внутри или за пределами таблицы и повторите попытку.", "errorAutoFilterHiddenRange": "Операция не может быть произведена, так как область содержит отфильтрованные ячейки.
Выведите на экран скрытые фильтром элементы и повторите попытку.", "errorBadImageUrl": "Неправильный URL-адрес рисунка", + "errorCannotUseCommandProtectedSheet": "Данную команду нельзя использовать на защищенном листе. Необходимо сначала снять защиту листа.
Возможно, потребуется ввести пароль.", "errorChangeArray": "Нельзя изменить часть массива.", "errorChangeOnProtectedSheet": "Ячейка или диаграмма, которую вы пытаетесь изменить, находится на защищенном листе. Чтобы внести изменения, снимите защиту листа. Может потребоваться пароль.", "errorConnectToServer": "Не удается сохранить документ. Проверьте параметры подключения или обратитесь к вашему администратору.
Когда вы нажмете на кнопку 'OK', вам будет предложено скачать документ.", @@ -232,8 +234,7 @@ "unknownErrorText": "Неизвестная ошибка.", "uploadImageExtMessage": "Неизвестный формат рисунка.", "uploadImageFileCountMessage": "Ни одного рисунка не загружено.", - "uploadImageSizeMessage": "Слишком большой рисунок. Максимальный размер - 25 MB.", - "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": "Слишком большой рисунок. Максимальный размер - 25 MB." }, "LongActions": { "advDRMPassword": "Пароль", @@ -286,18 +287,19 @@ "textErrNotEmpty": "Имя листа не должно быть пустым", "textErrorLastSheet": "Книга должна содержать хотя бы один видимый лист.", "textErrorRemoveSheet": "Не удалось удалить лист.", + "textHidden": "Скрытый", "textHide": "Скрыть", "textMore": "Ещё", + "textMove": "Переместить", + "textMoveBefore": "Переместить перед листом", + "textMoveToEnd": "(Переместить в конец)", "textOk": "Ok", "textRename": "Переименовать", "textRenameSheet": "Переименовать лист", "textSheet": "Лист", "textSheetName": "Имя листа", "textUnhide": "Показать", - "textWarnDeleteSheet": "Лист может содержать данные. Продолжить операцию?", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textWarnDeleteSheet": "Лист может содержать данные. Продолжить операцию?" }, "Toolbar": { "dlgLeaveMsgText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.", @@ -340,6 +342,7 @@ "textLink": "Ссылка", "textLinkSettings": "Настройки ссылки", "textLinkType": "Тип ссылки", + "textOk": "Ok", "textOther": "Другое", "textPictureFromLibrary": "Рисунок из библиотеки", "textPictureFromURL": "Рисунок по URL", @@ -357,8 +360,7 @@ "txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"", "txtSorting": "Сортировка", "txtSortSelected": "Сортировать выделенное", - "txtYes": "Да", - "textOk": "Ok" + "txtYes": "Да" }, "Edit": { "notcriticalErrorTitle": "Внимание", @@ -377,6 +379,7 @@ "textAngleClockwise": "Текст по часовой стрелке", "textAngleCounterclockwise": "Текст против часовой стрелки", "textAuto": "Авто", + "textAutomatic": "Автоматический", "textAxisCrosses": "Пересечение с осью", "textAxisOptions": "Параметры оси", "textAxisPosition": "Положение оси", @@ -477,6 +480,7 @@ "textNoOverlay": "Без наложения", "textNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"", "textNumber": "Числовой", + "textOk": "Ok", "textOnTickMarks": "Деления", "textOpacity": "Непрозрачность", "textOut": "Снаружи", @@ -538,9 +542,7 @@ "textYen": "Йена", "txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"", "txtSortHigh2Low": "Сортировка по убыванию", - "txtSortLow2High": "Сортировка по возрастанию", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "Сортировка по возрастанию" }, "Settings": { "advCSVOptions": "Выбрать параметры CSV", diff --git a/apps/spreadsheeteditor/mobile/locale/sk.json b/apps/spreadsheeteditor/mobile/locale/sk.json index 2e6976626..92302679e 100644 --- a/apps/spreadsheeteditor/mobile/locale/sk.json +++ b/apps/spreadsheeteditor/mobile/locale/sk.json @@ -159,7 +159,8 @@ "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" + "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." } }, "Error": { @@ -297,7 +298,10 @@ "textOk": "Ok", "textMove": "Move", "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveForward": "Move forward", + "textHidden": "Hidden", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "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.", diff --git a/apps/spreadsheeteditor/mobile/locale/sl.json b/apps/spreadsheeteditor/mobile/locale/sl.json index 2e6976626..92302679e 100644 --- a/apps/spreadsheeteditor/mobile/locale/sl.json +++ b/apps/spreadsheeteditor/mobile/locale/sl.json @@ -159,7 +159,8 @@ "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" + "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." } }, "Error": { @@ -297,7 +298,10 @@ "textOk": "Ok", "textMove": "Move", "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveForward": "Move forward", + "textHidden": "Hidden", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "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.", diff --git a/apps/spreadsheeteditor/mobile/locale/tr.json b/apps/spreadsheeteditor/mobile/locale/tr.json index ce03ac93b..26522f148 100644 --- a/apps/spreadsheeteditor/mobile/locale/tr.json +++ b/apps/spreadsheeteditor/mobile/locale/tr.json @@ -159,7 +159,8 @@ "warnLicenseUsersExceeded": "%1 düzenleyici için kullanıcı sınırına ulaştınız. Daha fazla bilgi edinmek için yöneticinizle iletişime geçin.", "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." + "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." } }, "Error": { @@ -289,15 +290,16 @@ "textHide": "Gizle", "textMore": "Daha fazla", "textMove": "Taşı", - "textMoveBack": "Geriye taşı", - "textMoveForward": "İleri Taşı", "textOk": "Tamam", "textRename": "Yeniden adlandır", "textRenameSheet": "Sayfayı Yeniden Adlandır", "textSheet": "Sayfa", "textSheetName": "Sayfa ismi", "textUnhide": "Gizlemeyi kaldır", - "textWarnDeleteSheet": "Çalışma sayfasında veri olabilir. İşleme devam edilsin mi?" + "textWarnDeleteSheet": "Çalışma sayfasında veri olabilir. İşleme devam edilsin mi?", + "textHidden": "Hidden", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "Toolbar": { "dlgLeaveMsgText": "Bu belgede kaydedilmemiş değişiklikleriniz var. 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/spreadsheeteditor/mobile/locale/uk.json b/apps/spreadsheeteditor/mobile/locale/uk.json index 2e6976626..92302679e 100644 --- a/apps/spreadsheeteditor/mobile/locale/uk.json +++ b/apps/spreadsheeteditor/mobile/locale/uk.json @@ -159,7 +159,8 @@ "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" + "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." } }, "Error": { @@ -297,7 +298,10 @@ "textOk": "Ok", "textMove": "Move", "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveForward": "Move forward", + "textHidden": "Hidden", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "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.", diff --git a/apps/spreadsheeteditor/mobile/locale/vi.json b/apps/spreadsheeteditor/mobile/locale/vi.json index 2e6976626..92302679e 100644 --- a/apps/spreadsheeteditor/mobile/locale/vi.json +++ b/apps/spreadsheeteditor/mobile/locale/vi.json @@ -159,7 +159,8 @@ "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" + "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." } }, "Error": { @@ -297,7 +298,10 @@ "textOk": "Ok", "textMove": "Move", "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textMoveForward": "Move forward", + "textHidden": "Hidden", + "textMoveBefore": "Move before sheet", + "textMoveToEnd": "(Move to end)" }, "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.", diff --git a/apps/spreadsheeteditor/mobile/locale/zh.json b/apps/spreadsheeteditor/mobile/locale/zh.json index f4804b38c..aaa1d618d 100644 --- a/apps/spreadsheeteditor/mobile/locale/zh.json +++ b/apps/spreadsheeteditor/mobile/locale/zh.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": "版本已变化", @@ -154,12 +160,7 @@ "warnLicenseUsersExceeded": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。", "warnNoLicense": "你已经触发了 %1 编辑器的同时在线数限制. 该文档打开后,你将只能查看。请联系 %1 的销售团队,获取个人升级条款。", "warnNoLicenseUsers": "你触发了 %1 编辑器的同时在线数限制。请与 %1 的销售团队联系,以获取个人升级条款。", - "warnProcessRightsChange": "你没有编辑文件的权限。", - "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}" + "warnProcessRightsChange": "你没有编辑文件的权限。" } }, "Error": { @@ -174,6 +175,7 @@ "errorAutoFilterDataRange": "对于你选中的这些单元格,该操作不能被执行。
请选择表格内部或外部的规范的数据范围,然后再试一次。", "errorAutoFilterHiddenRange": "该操作不能被执行。原因是:选中的区域有被隐藏的单元格。
请将那些被隐藏的元素重新显现出来,然后再试一次。", "errorBadImageUrl": "图片地址不正确", + "errorCannotUseCommandProtectedSheet": "受保护的工作表不允许进行该操作。要进行该操作,请先取消工作表的保护。
您可能需要输入密码。", "errorChangeArray": "您无法更改部分阵列。", "errorChangeOnProtectedSheet": "您试图更改的单元格或图表位于受保护的工作表中。若要进行更改,请取消工作表保护。您可能需要输入密码。", "errorConnectToServer": "保存失败。请检查你的联网设定,或联系管理员。
你可以在按下“好”按钮之后下载这个文档。", @@ -232,8 +234,7 @@ "unknownErrorText": "未知错误。", "uploadImageExtMessage": "未知图像格式。", "uploadImageFileCountMessage": "没有图片上传", - "uploadImageSizeMessage": "图片太大了。最大允许的大小是 25 MB.", - "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": "图片太大了。最大允许的大小是 25 MB." }, "LongActions": { "advDRMPassword": "密码", @@ -286,18 +287,19 @@ "textErrNotEmpty": "工作表名称不能为空", "textErrorLastSheet": "该工作簿必须带有至少一个可见的工作表。", "textErrorRemoveSheet": "不能删除工作表。", + "textHidden": "隐蔽", "textHide": "隐藏", "textMore": "更多", + "textMove": "移动", + "textMoveBefore": "在工作表之前移动", + "textMoveToEnd": "(移动到末尾)", "textOk": "OK", "textRename": "重命名", "textRenameSheet": "重命名工作表", "textSheet": "表格", "textSheetName": "工作表名称", "textUnhide": "取消隐藏", - "textWarnDeleteSheet": "该工作表可能带有数据。要进行操作吗?", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward" + "textWarnDeleteSheet": "该工作表可能带有数据。要进行操作吗?" }, "Toolbar": { "dlgLeaveMsgText": "你在该文档中有未保存的修改。点击“留在该页”来等待自动保存。点击“离开该页”将舍弃全部未保存的更改。", @@ -340,6 +342,7 @@ "textLink": "链接", "textLinkSettings": "链接设置", "textLinkType": "链接类型", + "textOk": "好", "textOther": "其他", "textPictureFromLibrary": "图库", "textPictureFromURL": "来自网络的图片", @@ -357,8 +360,7 @@ "txtNotUrl": "该字段应为“http://www.example.com”格式的URL", "txtSorting": "排序", "txtSortSelected": "排序选定的", - "txtYes": "是", - "textOk": "Ok" + "txtYes": "是" }, "Edit": { "notcriticalErrorTitle": "警告", @@ -377,6 +379,7 @@ "textAngleClockwise": "顺时针方向角", "textAngleCounterclockwise": "逆时针方向角", "textAuto": "自动", + "textAutomatic": "自动", "textAxisCrosses": "坐标轴交叉", "textAxisOptions": "坐标轴选项", "textAxisPosition": "坐标轴位置", @@ -477,6 +480,7 @@ "textNoOverlay": "没有叠加", "textNotUrl": "该字段应为“http://www.example.com”格式的URL", "textNumber": "数", + "textOk": "好", "textOnTickMarks": "刻度标记", "textOpacity": "不透明度", "textOut": "外", @@ -538,9 +542,7 @@ "textYen": "日元", "txtNotUrl": "该字段应为“http://www.example.com”格式的URL", "txtSortHigh2Low": "从最高到最低排序", - "txtSortLow2High": "从最低到最高排序", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "从最低到最高排序" }, "Settings": { "advCSVOptions": "选择CSV选项", @@ -570,6 +572,7 @@ "textComments": "评论", "textCreated": "已创建", "textCustomSize": "自定义大小", + "textDarkTheme": "深色主题", "textDelimeter": "字段分隔符", "textDisableAll": "解除所有项目", "textDisableAllMacrosWithNotification": "解除所有带通知的宏", @@ -670,8 +673,7 @@ "txtSemicolon": "分号", "txtSpace": "空格", "txtTab": "标签", - "warnDownloadAs": "如果您继续以此格式保存,除文本之外的所有功能将丢失。
您确定要继续吗?", - "textDarkTheme": "Dark Theme" + "warnDownloadAs": "如果您继续以此格式保存,除文本之外的所有功能将丢失。
您确定要继续吗?" } } } \ 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 073cde124..d21cff870 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/ContextMenu.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/ContextMenu.jsx @@ -30,6 +30,7 @@ class ContextMenu extends ContextMenuController { this.isOpenWindowUser = false; this.timer; this.getUserName = this.getUserName.bind(this); + this.isUserVisible = this.isUserVisible.bind(this); this.onApiMouseMove = this.onApiMouseMove.bind(this); this.onApiHyperlinkClick = this.onApiHyperlinkClick.bind(this); } @@ -43,6 +44,11 @@ class ContextMenu extends ContextMenuController { return AscCommon.UserInfoParser.getParsedName(user.asc_getUserName()); } + isUserVisible(id) { + const user = this.props.users.searchUserByCurrentId(id); + return user ? (user.asc_getIdOriginal()===this.props.users.currentUser.asc_getIdOriginal() || AscCommon.UserInfoParser.isUserVisible(user.asc_getUserName())) : true; + } + componentWillUnmount() { super.componentWillUnmount(); @@ -209,12 +215,12 @@ class ContextMenu extends ContextMenuController { const { t } = this.props; const _t = t("ContextMenu", { returnObjects: true }); - const { isEdit } = this.props; + const { isEdit, isDisconnected } = this.props; if (isEdit && EditorUIController.ContextMenu) { return EditorUIController.ContextMenu.mapMenuItems(this); } else { - const {canViewComments, canCoAuthoring, canComments } = this.props; + const {canViewComments} = this.props; const api = Common.EditorApi.get(); const cellinfo = api.asc_getCellInfo(); @@ -238,43 +244,43 @@ class ContextMenu extends ContextMenuController { case Asc.c_oAscSelectionType.RangeShapeText: istextshapemenu = true; break; } - itemsIcon.push({ - event: 'copy', - icon: 'icon-copy' - }); - - if (iscellmenu && cellinfo.asc_getHyperlink()) { - itemsText.push({ - caption: _t.menuOpenLink, - event: 'openlink' + itemsIcon.push({ + event: 'copy', + icon: 'icon-copy' }); - } - if (canViewComments && hasComments && hasComments.length>0) { - itemsText.push({ - caption: _t.menuViewComment, - event: 'viewcomment' - }); - } - - if (iscellmenu && !api.isCellEdited && canCoAuthoring && canComments && hasComments && hasComments.length<1) { - itemsText.push({ - caption: _t.menuAddComment, - event: 'addcomment' - }); - } + + if (iscellmenu && cellinfo.asc_getHyperlink()) { + itemsText.push({ + caption: _t.menuOpenLink, + event: 'openlink' + }); + } + if(!isDisconnected) { + if (canViewComments && hasComments && hasComments.length>0) { + itemsText.push({ + caption: _t.menuViewComment, + event: 'viewcomment' + }); + } + } return itemsIcon.concat(itemsText); } } onApiMouseMove(dataarray) { - let index_locked; + const tipHeight = 20; + let index_locked, + index_foreign, + editorOffset = $$("#editor_sdk").offset(), + XY = [ editorOffset.left - $(window).scrollLeft(), editorOffset.top - $(window).scrollTop()]; for (let i = dataarray.length; i > 0; i--) { if (dataarray[i-1].asc_getType() === Asc.c_oAscMouseMoveType.LockedObject) index_locked = i; + if (dataarray[i-1].asc_getType() === Asc.c_oAscMouseMoveType.ForeignSelect) index_foreign = i; } - if (!index_locked && this.isOpenWindowUser) { + if (this.isOpenWindowUser) { this.timer = setTimeout(() => $$('.username-tip').remove(), 1500); this.isOpenWindowUser = false; } else { @@ -282,11 +288,8 @@ class ContextMenu extends ContextMenuController { $$('.username-tip').remove(); } - if (index_locked ) { - const tipHeight = 20; - let editorOffset = $$("#editor_sdk").offset(), - XY = [ editorOffset.left - $(window).scrollLeft(), editorOffset.top - $(window).scrollTop()], - data = dataarray[index_locked - 1], + if (index_locked && this.isUserVisible(dataarray[index_locked-1].asc_getUserId())) { + let data = dataarray[index_locked - 1], X = data.asc_getX(), Y = data.asc_getY(), src = $$(`
`); @@ -317,6 +320,39 @@ class ContextMenu extends ContextMenuController { } this.isOpenWindowUser = true; } + + if(index_foreign && this.isUserVisible(dataarray[index_foreign-1].asc_getUserId())) { + let data = dataarray[index_foreign - 1], + src = $$(`
`), + color = data.asc_getColor(), + foreignSelectX = data.asc_getX(), + foreignSelectY = data.asc_getY(); + + src.css({ + height : tipHeight + 'px', + position : 'absolute', + zIndex : '5000', + visibility : 'visible', + 'background-color': '#'+Common.Utils.ThemeColor.getHexColor(color.get_r(), color.get_g(), color.get_b()) + }); + + src.text(this.getUserName(data.asc_getUserId())); + src.addClass('active'); + $$(document.body).append(src); + + if ( foreignSelectX + src.outerWidth() > $$(window).width() ) { + src.css({ + left: foreignSelectX - src.outerWidth() + 'px', + top: (foreignSelectY + XY[1] - tipHeight) + 'px', + }); + } else { + src.css({ + left: foreignSelectX + 'px', + top: (foreignSelectY + XY[1] - tipHeight) + 'px', + }); + } + this.isOpenWindowUser = true; + } } initExtraItems () { diff --git a/apps/spreadsheeteditor/mobile/src/controller/DropdownList.jsx b/apps/spreadsheeteditor/mobile/src/controller/DropdownList.jsx index 13aa8701e..763add287 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/DropdownList.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/DropdownList.jsx @@ -13,16 +13,16 @@ class DropdownListController extends Component { isOpen: false }; - Common.Notifications.on('openDropdownList', addArr => { - this.initDropdownList(addArr); + Common.Notifications.on('openDropdownList', (textArr, addArr) => { + this.initDropdownList(textArr, addArr); }); } - initDropdownList(addArr) { - this.listItems = addArr.map(item => { + initDropdownList(textArr, addArr) { + this.listItems = textArr.map((item, index) => { return { - caption: item.getTextValue(), - value: item + caption: item, + value: addArr ? addArr[index] : item }; }); diff --git a/apps/spreadsheeteditor/mobile/src/controller/Error.jsx b/apps/spreadsheeteditor/mobile/src/controller/Error.jsx index 94f05d1c3..1b991fc32 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/Error.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/Error.jsx @@ -4,6 +4,9 @@ import { f7 } from 'framework7-react'; import { useTranslation } from 'react-i18next'; const ErrorController = inject('storeAppOptions')(({storeAppOptions, LoadingDocument}) => { + const { t } = useTranslation(); + const _t = t("Error", { returnObjects: true }); + useEffect(() => { const on_engine_created = k => { k.asc_registerCallback('asc_onError', onError); }; @@ -20,8 +23,6 @@ const ErrorController = inject('storeAppOptions')(({storeAppOptions, LoadingDocu }); const onError = (id, level, errData) => { - const {t} = useTranslation(); - const _t = t("Error", { returnObjects: true }); const api = Common.EditorApi.get(); if (id === Asc.c_oAscError.ID.LoadingScriptError) { diff --git a/apps/spreadsheeteditor/mobile/src/controller/LongActions.jsx b/apps/spreadsheeteditor/mobile/src/controller/LongActions.jsx index 27a81cd59..fb7e66519 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/LongActions.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/LongActions.jsx @@ -1,10 +1,11 @@ import React, { useEffect } from 'react'; import { f7 } from 'framework7-react'; +import { inject } from 'mobx-react'; import { useTranslation } from 'react-i18next'; import IrregularStack from "../../../../common/mobile/utils/IrregularStack"; import { Device } from '../../../../common/mobile/utils/device'; -const LongActionsController = () => { +const LongActionsController = inject('storeAppOptions')(({storeAppOptions}) => { const {t} = useTranslation(); const _t = t("LongActions", { returnObjects: true }); @@ -77,96 +78,98 @@ const LongActionsController = () => { const setLongActionView = (action) => { let title = ''; - let text = ''; + // let text = ''; switch (action.id) { case Asc.c_oAscAsyncAction['Open']: - title = _t.openTitleText; - text = _t.openTextText; + title = _t.textLoadingDocument; + // title = _t.openTitleText; + // text = _t.openTextText; break; case Asc.c_oAscAsyncAction['Save']: title = _t.saveTitleText; - text = _t.saveTextText; + // text = _t.saveTextText; break; case Asc.c_oAscAsyncAction['LoadDocumentFonts']: + if ( !storeAppOptions.isDocReady ) return; title = _t.loadFontsTitleText; - text = _t.loadFontsTextText; + // text = _t.loadFontsTextText; break; case Asc.c_oAscAsyncAction['LoadDocumentImages']: title = _t.loadImagesTitleText; - text = _t.loadImagesTextText; + // text = _t.loadImagesTextText; break; case Asc.c_oAscAsyncAction['LoadFont']: title = _t.loadFontTitleText; - text = _t.loadFontTextText; + // text = _t.loadFontTextText; break; case Asc.c_oAscAsyncAction['LoadImage']: title = _t.loadImageTitleText; - text = _t.loadImageTextText; + // text = _t.loadImageTextText; break; case Asc.c_oAscAsyncAction['DownloadAs']: title = _t.downloadTitleText; - text = _t.downloadTextText; + // text = _t.downloadTextText; break; case Asc.c_oAscAsyncAction['Print']: title = _t.printTitleText; - text = _t.printTextText; + // text = _t.printTextText; break; case Asc.c_oAscAsyncAction['UploadImage']: title = _t.uploadImageTitleText; - text = _t.uploadImageTextText; + // text = _t.uploadImageTextText; break; case Asc.c_oAscAsyncAction['ApplyChanges']: title = _t.applyChangesTitleText; - text = _t.applyChangesTextText; + // text = _t.applyChangesTextText; break; case Asc.c_oAscAsyncAction['PrepareToSave']: title = _t.savePreparingText; - text = _t.savePreparingTitle; + // text = _t.savePreparingTitle; break; case Asc.c_oAscAsyncAction['MailMergeLoadFile']: title = _t.mailMergeLoadFileText; - text = _t.mailMergeLoadFileTitle; + // text = _t.mailMergeLoadFileTitle; break; case Asc.c_oAscAsyncAction['DownloadMerge']: title = _t.downloadMergeTitle; - text = _t.downloadMergeText; + // text = _t.downloadMergeText; break; case Asc.c_oAscAsyncAction['SendMailMerge']: title = _t.sendMergeTitle; - text = _t.sendMergeText; + // text = _t.sendMergeText; break; case Asc.c_oAscAsyncAction['Waiting']: title = _t.waitText; - text = _t.waitText; + // text = _t.waitText; break; case ApplyEditRights: title = _t.txtEditingMode; - text = _t.txtEditingMode; + // text = _t.txtEditingMode; break; case LoadingDocument: title = _t.loadingDocumentTitleText; - text = _t.loadingDocumentTextText; + // text = _t.loadingDocumentTextText; break; default: if (typeof action.id == 'string'){ title = action.id; - text = action.id; + // text = action.id; } break; } @@ -250,6 +253,6 @@ const LongActionsController = () => { }; return null; -}; +}); export default LongActionsController; \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/src/controller/Main.jsx b/apps/spreadsheeteditor/mobile/src/controller/Main.jsx index 8c99aa474..2a7548f21 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/Main.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/Main.jsx @@ -426,11 +426,16 @@ class MainController extends Component { this.api.asc_registerCallback('asc_onActiveSheetChanged', this.onChangeProtectSheet.bind(this)); this.api.asc_registerCallback('asc_onRenameCellTextEnd', this.onRenameText.bind(this)); + this.api.asc_registerCallback('asc_onEntriesListMenu', this.onEntriesListMenu.bind(this, false)); this.api.asc_registerCallback('asc_onValidationListMenu', this.onEntriesListMenu.bind(this, true)); } onEntriesListMenu(validation, textArr, addArr) { + const storeAppOptions = this.props.storeAppOptions; + + if (!storeAppOptions.isEdit && !storeAppOptions.isRestrictedEdit || this.props.users.isDisconnected) return; + const { t } = this.props; const boxSdk = $$('#editor_sdk'); @@ -450,7 +455,7 @@ class MainController extends Component { dropdownListTarget.css({left: `${showPoint[0]}px`, top: `${showPoint[1]}px`}); } - Common.Notifications.trigger('openDropdownList', addArr); + Common.Notifications.trigger('openDropdownList', textArr, addArr); } else { !validation && f7.dialog.create({ title: t('Controller.Main.notcriticalErrorTitle'), @@ -606,7 +611,7 @@ class MainController extends Component { if (appOptions.isEditDiagram || appOptions.isEditMailMerge) return; const licType = params.asc_getLicenseType(); - if (licType !== undefined && appOptions.canEdit && appOptions.config.mode !== 'view' && + if (licType !== undefined && (appOptions.canEdit || appOptions.isRestrictedEdit) && appOptions.config.mode !== 'view' && (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; diff --git a/apps/spreadsheeteditor/mobile/src/controller/Search.jsx b/apps/spreadsheeteditor/mobile/src/controller/Search.jsx index f67b8e065..c4d33a82c 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/Search.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/Search.jsx @@ -165,9 +165,9 @@ const Search = withTranslation()(props => { if (params.highlight) api.asc_selectSearchingResults(true); - if (!api.asc_findText(options)) { - f7.dialog.alert(null, _t.textNoTextFound); - } + api.asc_findText(options, function(resultCount) { + !resultCount && f7.dialog.alert(null, _t.textNoTextFound); + }); } }; diff --git a/apps/spreadsheeteditor/mobile/src/controller/Statusbar.jsx b/apps/spreadsheeteditor/mobile/src/controller/Statusbar.jsx index 6c4ef781f..47f114d8f 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/Statusbar.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/Statusbar.jsx @@ -358,19 +358,22 @@ const Statusbar = inject('sheets', 'storeAppOptions', 'users')(observer(props => } }; - const onMenuMoveClick = (action) => { + const onMenuMoveClick = (index) => { const api = Common.EditorApi.get(); - const visibleSheets = sheets.visibleWorksheets(); - let activeIndex; - visibleSheets.forEach((item, index) => { - if(item.index === api.asc_getActiveWorksheetIndex()) { - activeIndex = visibleSheets[action === "forward" ? index+2 : index-1 ]?.index; - } - }); + let sheetsCount = api.asc_getWorksheetsCount(); + let activeIndex = api.asc_getActiveWorksheetIndex(); - api.asc_moveWorksheet(activeIndex === undefined ? api.asc_getWorksheetsCount() : activeIndex, [api.asc_getActiveWorksheetIndex()]); - } + api.asc_moveWorksheet(index === -255 ? sheetsCount : index , [activeIndex]); + }; + + const onTabListClick = (sheetIndex) => { + const api = Common.EditorApi.get(); + if(api && api.asc_getActiveWorksheetIndex() !== sheetIndex) { + api.asc_showWorksheet(sheetIndex); + f7.popover.close('#idx-all-list'); + } + }; const onSetWorkSheetColor = (color) => { const api = Common.EditorApi.get(); @@ -402,6 +405,7 @@ const Statusbar = inject('sheets', 'storeAppOptions', 'users')(observer(props => onTabClicked={onTabClicked} onAddTabClicked={onAddTabClicked} onTabMenu={onTabMenu} + onTabListClick={onTabListClick} onMenuMoveClick = {onMenuMoveClick} onSetWorkSheetColor={onSetWorkSheetColor} /> diff --git a/apps/spreadsheeteditor/mobile/src/controller/add/AddFunction.jsx b/apps/spreadsheeteditor/mobile/src/controller/add/AddFunction.jsx index 8e9d6cae4..46e39c371 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/add/AddFunction.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/add/AddFunction.jsx @@ -15,6 +15,11 @@ class _FunctionGroups extends Component { this.api = Common.EditorApi.get(); this.init(); }); + + Common.Notifications.on('changeRegSettings', () => { + this.api = Common.EditorApi.get(); + this.init(); + }); } componentDidMount() { Common.Notifications.on('document:ready', () => { @@ -46,7 +51,8 @@ class _FunctionGroups extends Component { jsonDesc = data; } const grouparr = this.api.asc_getFormulasInfo(); - this.props.storeFunctions.initFunctions(grouparr, jsonDesc); + const separator = this.api.asc_getFunctionArgumentSeparator(); + this.props.storeFunctions.initFunctions(grouparr, jsonDesc, separator); }; fetch(`locale/l10n/functions/${this._editorLang}_desc.json`) diff --git a/apps/spreadsheeteditor/mobile/src/controller/settings/ApplicationSettings.jsx b/apps/spreadsheeteditor/mobile/src/controller/settings/ApplicationSettings.jsx index e3f2fa1dd..30fc9aeb1 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/settings/ApplicationSettings.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/settings/ApplicationSettings.jsx @@ -85,6 +85,7 @@ class ApplicationSettingsController extends Component { LocalStorage.setItem("sse-settings-regional", regCode); this.initRegSettings(); if (regCode!==null) api.asc_setLocale(+regCode); + Common.Notifications.trigger('changeRegSettings'); } render() { diff --git a/apps/spreadsheeteditor/mobile/src/less/app-material.less b/apps/spreadsheeteditor/mobile/src/less/app-material.less index 2995a0049..b89c3ac81 100644 --- a/apps/spreadsheeteditor/mobile/src/less/app-material.less +++ b/apps/spreadsheeteditor/mobile/src/less/app-material.less @@ -49,4 +49,13 @@ border-radius: 100%; } } + + .move-sheet { + .navbar .navbar-inner { + background: @background-primary; + .title { + color: @text-normal; + } + } + } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/src/less/app.less b/apps/spreadsheeteditor/mobile/src/less/app.less index 602a063e5..0565ce531 100644 --- a/apps/spreadsheeteditor/mobile/src/less/app.less +++ b/apps/spreadsheeteditor/mobile/src/less/app.less @@ -54,16 +54,24 @@ //--f7-page-content-extra-padding-top: 37px; } -.function-info { - padding: 0 15px; -} .page-function-info { &.page-content, .page-content { background-color: @background-primary; } + + .function-info { + padding: 0 15px; + h3 { + color: @text-normal; + } + + p { + color: @text-secondary; + } + } } -.username-tip.active { +.username-tip { background-color: #ee3525; } @@ -126,11 +134,43 @@ border-radius: 2px; } } - .page{ - top: 30px; + .navbar { + top: -1px; } } .actions-move-sheet { background-color: @background-secondary; +} + +// All-list sheet +.all-list { + --f7-popover-width: 190px; + .item-checkbox{ + padding-left: 8px; + .icon-checkbox{ + border-color: transparent; + margin-right: 8px; + &::after{ + color: @brandColor; + } + } + .item-after div { + color: @text-secondary; + font-style: italic; + } + input[type='checkbox']:checked ~ .icon-checkbox { + background-color: unset; + border-color: transparent; + } + } +} + +.sheet-filter, .popover-filter { + ul li:first-child .list-button{ + color: @text-normal; + &::after { + background: @background-menu-divider; + } + } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/src/less/celleditor.less b/apps/spreadsheeteditor/mobile/src/less/celleditor.less index f59c51d7d..629d01609 100644 --- a/apps/spreadsheeteditor/mobile/src/less/celleditor.less +++ b/apps/spreadsheeteditor/mobile/src/less/celleditor.less @@ -61,6 +61,8 @@ //font-size: 17px; text-align: center; + color: @text-normal; + &[disabled] { color: @gray-darker; opacity: 0.5; diff --git a/apps/spreadsheeteditor/mobile/src/less/icons-common.less b/apps/spreadsheeteditor/mobile/src/less/icons-common.less index a1992c022..392f464ef 100644 --- a/apps/spreadsheeteditor/mobile/src/less/icons-common.less +++ b/apps/spreadsheeteditor/mobile/src/less/icons-common.less @@ -77,3 +77,33 @@ background-image: url('@{app-image-path}/charts/chart-20.png'); } } + +// Formats + +i.icon { + &.icon-format-xlsx { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + &.icon-format-xltx { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + &.icon-format-ods { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + &.icon-format-ots { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } + &.icon-format-csv { + width: 22px; + height: 22px; + .encoded-svg-background(''); + } +} diff --git a/apps/spreadsheeteditor/mobile/src/less/icons-ios.less b/apps/spreadsheeteditor/mobile/src/less/icons-ios.less index 3c1757044..16071201f 100644 --- a/apps/spreadsheeteditor/mobile/src/less/icons-ios.less +++ b/apps/spreadsheeteditor/mobile/src/less/icons-ios.less @@ -47,6 +47,11 @@ height: 22px; .encoded-svg-mask(''); } + &.icon-list { + width: 22px; + height: 22px; + .encoded-svg-mask('') + } &.icon-settings { width: 24px; height: 24px; @@ -142,7 +147,7 @@ &.icon-image-library { width: 22px; height: 22px; - .encoded-svg-mask('icons_for_svg'); + .encoded-svg-background('icons_for_svg'); } &.icon-cell-wrap { width: 22px; @@ -307,44 +312,8 @@ .encoded-svg-mask(''); } - // Formats - - &.icon-format-pdf { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - &.icon-format-pdfa { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - &.icon-format-xlsx { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - &.icon-format-xltx { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - &.icon-format-ods { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - &.icon-format-ots { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - &.icon-format-csv { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } // Collaboration + &.icon-users { width: 24px; height: 24px; diff --git a/apps/spreadsheeteditor/mobile/src/less/icons-material.less b/apps/spreadsheeteditor/mobile/src/less/icons-material.less index 81397c458..39773e019 100644 --- a/apps/spreadsheeteditor/mobile/src/less/icons-material.less +++ b/apps/spreadsheeteditor/mobile/src/less/icons-material.less @@ -291,44 +291,8 @@ .encoded-svg-mask(''); } - // Formats - - &.icon-format-pdf { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - &.icon-format-pdfa { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - &.icon-format-xlsx { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - &.icon-format-xltx { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - &.icon-format-ods { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - &.icon-format-ots { - width: 30px; - height: 30px; - .encoded-svg-mask(''); - } - &.icon-format-csv { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } // Collaboration + &.icon-users { width: 24px; height: 24px; diff --git a/apps/spreadsheeteditor/mobile/src/less/statusbar.less b/apps/spreadsheeteditor/mobile/src/less/statusbar.less index c94d8afa2..17579c94f 100644 --- a/apps/spreadsheeteditor/mobile/src/less/statusbar.less +++ b/apps/spreadsheeteditor/mobile/src/less/statusbar.less @@ -9,6 +9,9 @@ display: flex; transition: top 400ms; + .box-tab { + display: flex; + } .tab { border: 0 none; @@ -71,14 +74,22 @@ } } - i.icon { - width: 22px; - height: 22px; - &.icon-plus { - // @source: ''; - // .encoded-svg-mask(@source, @fontColor); - // background-image: none; - .encoded-svg-mask('') + .tab { + i.icon { + width: 18px; + height: 18px; + &.icon-plus.bold{ + + // @source: ''; + // .encoded-svg-mask(@source, @fontColor); + // background-image: none; + .encoded-svg-mask('') + } + + &.icon-list.bold { + .encoded-svg-mask('') + } } } + } diff --git a/apps/spreadsheeteditor/mobile/src/page/main.jsx b/apps/spreadsheeteditor/mobile/src/page/main.jsx index 6eaedaee7..951bcc33b 100644 --- a/apps/spreadsheeteditor/mobile/src/page/main.jsx +++ b/apps/spreadsheeteditor/mobile/src/page/main.jsx @@ -11,7 +11,7 @@ import FilterOptionsController from '../controller/FilterOptions.jsx' import AddOptions from "../view/add/Add"; import EditOptions from "../view/edit/Edit"; import { Search, SearchSettings } from '../controller/Search'; -import { f7 } from 'framework7-react'; +import { f7, Link } from 'framework7-react'; import {FunctionGroups} from "../controller/add/AddFunction"; import ContextMenu from '../controller/ContextMenu'; @@ -107,7 +107,10 @@ class MainPage extends Component { {/* Top Navbar */} - {showLogo && appOptions.canBranding !== undefined &&
} + {showLogo && appOptions.canBranding !== undefined &&
{ + window.open(`${__PUBLISHER_URL__}`, "_blank"); + }}>
} @@ -148,7 +151,7 @@ class MainPage extends Component { } - + {/* hidden component*/}
diff --git a/apps/spreadsheeteditor/mobile/src/store/appOptions.js b/apps/spreadsheeteditor/mobile/src/store/appOptions.js index d21a85617..cdecf77b8 100644 --- a/apps/spreadsheeteditor/mobile/src/store/appOptions.js +++ b/apps/spreadsheeteditor/mobile/src/store/appOptions.js @@ -90,7 +90,7 @@ export class storeAppOptions { this.canEdit = permissions.edit !== false && // can edit or review (this.config.canRequestEditRights || this.config.mode !== 'view') && isSupportEditFeature; // if mode=="view" -> canRequestEditRights must be defined // (!this.isReviewOnly || this.canLicense) && // if isReviewOnly==true -> canLicense must be true - this.isEdit = (this.canLicense || this.isEditDiagram || this.isEditMailMerge) && permissions.edit !== false && this.config.mode !== 'view' && true; + this.isEdit = (this.canLicense || this.isEditDiagram || this.isEditMailMerge) && permissions.edit !== false && this.config.mode !== 'view' && isSupportEditFeature; 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); @@ -100,12 +100,16 @@ export class storeAppOptions { this.canPrint = (permissions.print !== false); this.isRestrictedEdit = !this.isEdit && this.canComments; this.trialMode = params.asc_getLicenseMode(); - this.canDownloadOrigin = permissions.download !== false; - this.canDownload = permissions.download !== false; + + const type = /^(?:(pdf|djvu|xps|oxps))$/.exec(document.fileType); + this.canDownloadOrigin = permissions.download !== false && (type && typeof type[1] === 'string'); + this.canDownload = permissions.download !== false && (!type || typeof type[1] !== 'string'); this.canUseReviewPermissions = this.canLicense && (!!permissions.reviewGroups || this.customization && this.customization.reviewPermissions && (typeof (this.customization.reviewPermissions) == 'object')); this.canUseCommentPermissions = this.canLicense && !!permissions.commentGroups; + this.canUseUserInfoPermissions = this.canLicense && !!permissions.userInfoGroups; this.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(permissions.reviewGroups, this.customization.reviewPermissions); this.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(permissions.commentGroups); + this.canUseUserInfoPermissions && AscCommon.UserInfoParser.setUserInfoPermissions(permissions.userInfoGroups); } } \ 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 558d87230..d45318d05 100644 --- a/apps/spreadsheeteditor/mobile/src/store/applicationSettings.js +++ b/apps/spreadsheeteditor/mobile/src/store/applicationSettings.js @@ -52,8 +52,8 @@ export class storeApplicationSettings { getRegDataCodes() { const regDataCode = [ - { value: 0x042C }, { value: 0x0402 }, { value: 0x0405 }, { value: 0x0407 }, {value: 0x0807}, { value: 0x0408 }, { value: 0x0C09 }, { value: 0x0809 }, { value: 0x0409 }, { value: 0x0C0A }, { value: 0x080A }, - { value: 0x040B }, { value: 0x040C }, { value: 0x0410 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, + { value: 0x042C }, { value: 0x0402 }, { value: 0x0405 }, { value: 0x0C07 }, { value: 0x0407 }, {value: 0x0807}, { value: 0x0408 }, { value: 0x0C09 }, { value: 0x0809 }, { value: 0x0409 }, { value: 0x0C0A }, { value: 0x080A }, + { value: 0x040B }, { value: 0x040C }, { value: 0x100C }, { value: 0x0410 }, { value: 0x0810 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x040E }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, { value: 0x0816 }, { value: 0x0419 }, { value: 0x041B }, { value: 0x0424 }, { value: 0x081D }, { value: 0x041D }, { value: 0x041F }, { value: 0x0422 }, { value: 0x042A }, { value: 0x0804 } ]; diff --git a/apps/spreadsheeteditor/mobile/src/store/functions.js b/apps/spreadsheeteditor/mobile/src/store/functions.js index c73acc728..f7597ad86 100644 --- a/apps/spreadsheeteditor/mobile/src/store/functions.js +++ b/apps/spreadsheeteditor/mobile/src/store/functions.js @@ -10,11 +10,11 @@ export class storeFunctions { functions = {}; - initFunctions (groups, data) { - this.functions = this.getFunctions(groups, data); + initFunctions (groups, data, separator) { + this.functions = this.getFunctions(groups, data, separator); } - getFunctions (groups, data) { + getFunctions (groups, data, separator) { const functions = {}; for (let g in groups) { const group = groups[g]; @@ -28,7 +28,7 @@ export class storeFunctions { type: _name, group: groupname, caption: func.asc_getLocaleName(), - args: (data && data[_name]) ? data[_name].a : '', + args: ((data && data[_name]) ? data[_name].a : '').replace(/[,;]/g, separator), descr: (data && data[_name]) ? data[_name].d : '' }; } diff --git a/apps/spreadsheeteditor/mobile/src/store/textSettings.js b/apps/spreadsheeteditor/mobile/src/store/textSettings.js index 9b57d4350..b034ad03f 100644 --- a/apps/spreadsheeteditor/mobile/src/store/textSettings.js +++ b/apps/spreadsheeteditor/mobile/src/store/textSettings.js @@ -105,11 +105,11 @@ export class storeTextSettings { this.thumbCanvas = document.createElement('canvas'); this.thumbContext = this.thumbCanvas.getContext('2d'); this.thumbs = [ - {ratio: 1, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail.png', width: this.iconWidth, height: this.iconHeight}, - {ratio: 1.25, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail@1.25x.png', width: this.iconWidth * 1.25, height: this.iconHeight * 1.25}, - {ratio: 1.5, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail@1.5x.png', width: this.iconWidth * 1.5, height: this.iconHeight * 1.5}, - {ratio: 1.75, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail@1.75x.png', width: this.iconWidth * 1.75, height: this.iconHeight * 1.75}, - {ratio: 2, path: '../../../../../../../sdkjs/common/Images/fonts_thumbnail@2x.png', width: this.iconWidth * 2, height: this.iconHeight * 2} + {ratio: 1, path: '../../../../../sdkjs/common/Images/fonts_thumbnail.png', width: this.iconWidth, height: this.iconHeight}, + {ratio: 1.25, path: '../../../../../sdkjs/common/Images/fonts_thumbnail@1.25x.png', width: this.iconWidth * 1.25, height: this.iconHeight * 1.25}, + {ratio: 1.5, path: '../../../../../sdkjs/common/Images/fonts_thumbnail@1.5x.png', width: this.iconWidth * 1.5, height: this.iconHeight * 1.5}, + {ratio: 1.75, path: '../../../../../sdkjs/common/Images/fonts_thumbnail@1.75x.png', width: this.iconWidth * 1.75, height: this.iconHeight * 1.75}, + {ratio: 2, path: '../../../../../sdkjs/common/Images/fonts_thumbnail@2x.png', width: this.iconWidth * 2, height: this.iconHeight * 2} ]; const applicationPixelRatio = Common.Utils.applicationPixelRatio(); diff --git a/apps/spreadsheeteditor/mobile/src/view/FilterOptions.jsx b/apps/spreadsheeteditor/mobile/src/view/FilterOptions.jsx index 20b77dc1f..87191bf85 100644 --- a/apps/spreadsheeteditor/mobile/src/view/FilterOptions.jsx +++ b/apps/spreadsheeteditor/mobile/src/view/FilterOptions.jsx @@ -55,7 +55,7 @@ const FilterOptions = (props) => { - {_t.textClearFilter} + {_t.textClearFilter} props.onDeleteFilter()} id="btn-delete-filter">{_t.textDeleteFilter} @@ -72,10 +72,10 @@ const FilterOptions = (props) => { const FilterView = (props) => { return ( !Device.phone ? - + : - + ) diff --git a/apps/spreadsheeteditor/mobile/src/view/Statusbar.jsx b/apps/spreadsheeteditor/mobile/src/view/Statusbar.jsx index 03143c5ac..7efa3dfa3 100644 --- a/apps/spreadsheeteditor/mobile/src/view/Statusbar.jsx +++ b/apps/spreadsheeteditor/mobile/src/view/Statusbar.jsx @@ -1,5 +1,5 @@ import React, { Fragment, useEffect, useState } from 'react'; -import {f7, View, Link, Icon, Popover, Navbar, NavRight, List, ListItem, ListButton, Actions, ActionsGroup, ActionsButton, Sheet, Page } from 'framework7-react'; +import {f7, View, Link, Icon, Popover, Navbar, NavRight, List, ListGroup, ListItem, ListButton, Actions, ActionsGroup, ActionsButton, Sheet, Page } from 'framework7-react'; import { useTranslation } from 'react-i18next'; import { Device } from '../../../../common/mobile/utils/device'; import { inject, observer } from 'mobx-react'; @@ -9,48 +9,55 @@ const viewStyle = { height: 30 }; -const MoveMenuActions = (props) => { - const { t } = useTranslation(); - let { opened, setOpenActions, onMenuMoveClick, visibleSheets } = props; - - return ( - setOpenActions(false)}> - - onMenuMoveClick("back")}> - {t('Statusbar.textMoveBack')} - - onMenuMoveClick("forward")}> - {t('Statusbar.textMoveForward')} - - - - {t('Statusbar.textCancel')} - - - ) -} - const PageListMove = props => { + const { t } = useTranslation(); const { sheets, onMenuMoveClick } = props; const allSheets = sheets.sheets; - const visibleSheets = sheets.visibleWorksheets(); - const [stateActionsOpened, setOpenActions] = useState(false); return ( - - - { allSheets.map(model => - model.hidden ? null : - -
setOpenActions(true) }> - -
-
) - } -
- -
+ + + + + + { allSheets.map((model, index) => + model.hidden ? null : + onMenuMoveClick(index)} />) + } + onMenuMoveClick(-255)}/> + + + + + ) +}; + +const PageAllList = (props) => { + const { t } = useTranslation(); + const { sheets, onTabListClick } = props; + const allSheets = sheets.sheets; + + return ( + + + + { allSheets.map( (model,sheetIndex) => + onTabListClick(sheetIndex)}> + {model.hidden ? +
+ {t('Statusbar.textHidden')} +
+ : null} +
) + } +
+
+
) }; @@ -158,9 +165,12 @@ const StatusbarView = inject('storeAppOptions', 'sheets', 'users')(observer(prop {isEdit && -
+
- + + + f7.popover.open('#idx-all-list', e.target)}> +
} @@ -220,15 +230,20 @@ const StatusbarView = inject('storeAppOptions', 'sheets', 'users')(observer(prop ) : null} + { + + + + } {isPhone ? - +
: - + } diff --git a/apps/spreadsheeteditor/mobile/src/view/edit/EditCell.jsx b/apps/spreadsheeteditor/mobile/src/view/edit/EditCell.jsx index a73d88801..ad57c53ad 100644 --- a/apps/spreadsheeteditor/mobile/src/view/edit/EditCell.jsx +++ b/apps/spreadsheeteditor/mobile/src/view/edit/EditCell.jsx @@ -44,6 +44,7 @@ const EditCell = props => { onFontSize: props.onFontSize, onFontClick: props.onFontClick }}/> + {!wsProps.FormatCells && <> @@ -110,25 +111,26 @@ const EditCell = props => { {_t.textCellStyles} {cellStyles && cellStyles.length ? ( - - {arraySlides.map((_, indexSlide) => { - let stylesSlide = cellStyles.slice(indexSlide * 9, (indexSlide * 9) + 9); - - return ( - - - {stylesSlide.map((elem, index) => ( - props.onStyleClick(elem.name)}> -
-
- ))} -
-
- )})} -
+
+
+ {arraySlides.map((_, indexSlide) => { + let stylesSlide = cellStyles.slice(indexSlide * 9, (indexSlide * 9) + 9); + + return ( +
+ + {stylesSlide.map((elem, index) => ( + props.onStyleClick(elem.name)}> +
+
+ ))} +
+
+ )})} +
+
) : null} - } - + } ) }; diff --git a/apps/spreadsheeteditor/mobile/src/view/settings/Settings.jsx b/apps/spreadsheeteditor/mobile/src/view/settings/Settings.jsx index da169222d..3d545f117 100644 --- a/apps/spreadsheeteditor/mobile/src/view/settings/Settings.jsx +++ b/apps/spreadsheeteditor/mobile/src/view/settings/Settings.jsx @@ -126,11 +126,36 @@ const SettingsList = inject("storeAppOptions")(observer(props => { }; const appOptions = props.storeAppOptions; - let _isEdit = false; - - if (!appOptions.isDisconnected) { + let _isEdit = false, + _canDownload = false, + _canDownloadOrigin = false, + _canAbout = true, + _canHelp = true, + _canPrint = false; + + if (appOptions.isDisconnected) { + _isEdit = false; + if (!appOptions.enableDownload) + _canPrint = _canDownload = _canDownloadOrigin = false; + } else { _isEdit = appOptions.isEdit; - } + _canDownload = appOptions.canDownload; + _canDownloadOrigin = appOptions.canDownloadOrigin; + _canPrint = appOptions.canPrint; + if (appOptions.customization && appOptions.canBrandingExt) { + _canAbout = (appOptions.customization.about!==false); + } + if (appOptions.customization) { + _canHelp = (appOptions.customization.help!==false); + } + } + + const onDownloadOrigin = () => { + closeModal(); + setTimeout(() => { + Common.EditorApi.get().asc_DownloadOrigin(); + }, 0); + }; return ( @@ -155,12 +180,21 @@ const SettingsList = inject("storeAppOptions")(observer(props => { - - - - - - + {_canDownload && + + + + } + {_canDownloadOrigin && + + + + } + {_canPrint && + + + + } diff --git a/build/Gruntfile.js b/build/Gruntfile.js index 3bb5c3639..185160858 100644 --- a/build/Gruntfile.js +++ b/build/Gruntfile.js @@ -33,7 +33,7 @@ module.exports = function(grunt) { return !!string && !!iconv_lite ? iconv_lite.encode(string,encoding) : string; }; - var jsreplacements = [ + global.jsreplacements = [ { from: /\{\{SUPPORT_EMAIL\}\}/g, to: _encode(process.env.SUPPORT_EMAIL) || 'support@onlyoffice.com' @@ -355,12 +355,12 @@ module.exports = function(grunt) { replacements: [{ from: /\{\{PRODUCT_VERSION\}\}/g, to: `${packageFile.version}.${packageFile.build}` - }] + }, ...global.jsreplacements] }, prepareHelp: { src: ['<%= pkg.main.copy.help[0].dest %>/ru/**/*.htm*'], overwrite: true, - replacements: [] + replacements: [...helpreplacements] } }, @@ -427,10 +427,10 @@ module.exports = function(grunt) { } }); - var replace = grunt.config.get('replace'); - replace.writeVersion.replacements.push(...jsreplacements); - replace.prepareHelp.replacements.push(...helpreplacements); - grunt.config.set('replace', replace); + // var replace = grunt.config.get('replace'); + // replace.writeVersion.replacements.push(...global.jsreplacements); + // replace.prepareHelp.replacements.push(...helpreplacements); + // grunt.config.set('replace', replace); }); grunt.registerTask('deploy-reporter', function(){ diff --git a/build/appforms.js b/build/appforms.js index f12e37e56..7d0238af6 100644 --- a/build/appforms.js +++ b/build/appforms.js @@ -65,6 +65,17 @@ module.exports = (grunt) => { } }, + replace: { + varsEnviroment: { + src: ['<%= pkg.forms.js.requirejs.options.out %>'], + overwrite: true, + replacements: [{ + from: /\{\{PRODUCT_VERSION\}\}/g, + to: packageFile.version + }, ...global.jsreplacements] + }, + }, + inline: { dist: { src: packageFile.forms.inline.src @@ -76,5 +87,5 @@ module.exports = (grunt) => { grunt.registerTask('deploy-app-forms', ['forms-app-init', 'clean:prebuild', /*'imagemin',*/ 'less', 'requirejs', 'concat', 'copy', 'inline', /*'json-minify',*/ - /*'replace:writeVersion',*/ /*'replace:prepareHelp',*/ 'clean:postbuild']); + 'replace:varsEnviroment', /*'replace:prepareHelp',*/ 'clean:postbuild']); } \ No newline at end of file diff --git a/build/spreadsheeteditor.json b/build/spreadsheeteditor.json index c0b8bddb8..06fb6d5f0 100644 --- a/build/spreadsheeteditor.json +++ b/build/spreadsheeteditor.json @@ -346,6 +346,7 @@ "../apps/common/locale.js", "../apps/common/Gateway.js", "../apps/common/Analytics.js", + "../apps/common/main/lib/util/LanguageInfo.js", "../apps/common/embed/lib/util/LocalStorage.js", "../apps/common/embed/lib/util/utils.js", "../apps/common/embed/lib/view/LoadMask.js", diff --git a/vendor/framework7-react/build/webpack.config.js b/vendor/framework7-react/build/webpack.config.js index 863dc20ed..25a403832 100644 --- a/vendor/framework7-react/build/webpack.config.js +++ b/vendor/framework7-react/build/webpack.config.js @@ -132,8 +132,7 @@ module.exports = { lessOptions: { javascriptEnabled: true, globalVars: { - "common-image-header-path": env === 'production' ? `../../../${editor}/mobile/resources/img/header` : '../../common/mobile/resources/img/header', - "common-image-about-path": env === 'production' ? `../../../${editor}/mobile/resources/img/about` : '../../common/main/resources/img/about', + "common-image-path": env === 'production' ? `../../../${editor}/mobile/resources/img` : '../../common/mobile/resources/img', "app-image-path": env === 'production' ? '../resources/img' : './resources/img', } }