diff --git a/apps/api/documents/api.js b/apps/api/documents/api.js index 1dfdf981b..e6868323e 100644 --- a/apps/api/documents/api.js +++ b/apps/api/documents/api.js @@ -893,16 +893,16 @@ if (config.editorConfig && config.editorConfig.targetApp!=='desktop') { if ( (typeof(config.editorConfig.customization) == 'object') && config.editorConfig.customization.loaderName) { - if (config.editorConfig.customization.loaderName !== 'none') params += "&customer=" + config.editorConfig.customization.loaderName; + 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=" + 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.imageEmbedded) - params += "&headerlogo=" + config.editorConfig.customization.logo.imageEmbedded; + params += "&headerlogo=" + encodeURIComponent(config.editorConfig.customization.logo.imageEmbedded); else if (config.type!='embedded' && config.editorConfig.customization.logo.image) - params += "&headerlogo=" + config.editorConfig.customization.logo.image; + params += "&headerlogo=" + encodeURIComponent(config.editorConfig.customization.logo.image); } } diff --git a/apps/common/main/lib/component/DataView.js b/apps/common/main/lib/component/DataView.js index 9edb115e5..59e1fbb6b 100644 --- a/apps/common/main/lib/component/DataView.js +++ b/apps/common/main/lib/component/DataView.js @@ -476,7 +476,10 @@ define([ }, this); this.dataViewItems = []; - this.store.each(this.onAddItem, this); + var me = this; + this.store.each(function(item){ + me.onAddItem(item, me.store); + }, this); if (this.allowScrollbar) { this.scroller = new Common.UI.Scroller({ diff --git a/apps/common/main/lib/component/TreeView.js b/apps/common/main/lib/component/TreeView.js index 84c3fe860..d6ac4c4b4 100644 --- a/apps/common/main/lib/component/TreeView.js +++ b/apps/common/main/lib/component/TreeView.js @@ -198,7 +198,7 @@ define([ if (innerEl) { (this.dataViewItems.length<1) && innerEl.find('.empty-text').remove(); - if (opts && opts.at!==undefined) { + if (opts && (typeof opts.at==='number')) { var idx = opts.at; var innerDivs = innerEl.find('> div'); if (idx > 0) diff --git a/apps/common/main/resources/less/combo-border-size.less b/apps/common/main/resources/less/combo-border-size.less index f27acd1de..0d1422789 100644 --- a/apps/common/main/resources/less/combo-border-size.less +++ b/apps/common/main/resources/less/combo-border-size.less @@ -57,4 +57,18 @@ .form-control:not(input) { cursor: pointer; } + + li { + img { + -webkit-filter: none; + filter: none; + } + + &.selected { + img { + -webkit-filter: none; + filter: none; + } + } + } } \ No newline at end of file diff --git a/apps/common/main/resources/less/common.less b/apps/common/main/resources/less/common.less index b4a0128b6..300130c01 100644 --- a/apps/common/main/resources/less/common.less +++ b/apps/common/main/resources/less/common.less @@ -127,6 +127,9 @@ label { .panel-menu { width: 260px; + max-height: 100%; + position: relative; + overflow: hidden; float: left; border-right: @scaled-one-px-value-ie solid @border-toolbar-ie; border-right: @scaled-one-px-value solid @border-toolbar; diff --git a/apps/common/mobile/lib/controller/collaboration/Comments.jsx b/apps/common/mobile/lib/controller/collaboration/Comments.jsx index 066216d2c..1a43a0825 100644 --- a/apps/common/mobile/lib/controller/collaboration/Comments.jsx +++ b/apps/common/mobile/lib/controller/collaboration/Comments.jsx @@ -77,7 +77,7 @@ class CommentsController extends Component { const api = Common.EditorApi.get(); /** coauthoring begin **/ const isLiveCommenting = LocalStorage.getBool(`${window.editorType}-mobile-settings-livecomment`, true); - const resolved = LocalStorage.getBool(`${window.editorType}-settings-resolvedcomment`, true); + const resolved = LocalStorage.getBool(`${window.editorType}-settings-resolvedcomment`); this.storeApplicationSettings.changeDisplayComments(isLiveCommenting); this.storeApplicationSettings.changeDisplayResolved(resolved); isLiveCommenting ? api.asc_showComments(resolved) : api.asc_hideComments(); @@ -139,8 +139,9 @@ class CommentsController extends Component { changeComment.quote = data.asc_getQuoteText(); changeComment.time = date.getTime(); changeComment.date = dateToLocaleTimeString(date); - changeComment.editable = this.appOptions.canEditComments || (data.asc_getUserId() === this.curUserId); - changeComment.removable = this.appOptions.canDeleteComments || (data.asc_getUserId() === this.curUserId); + changeComment.editable = (this.appOptions.canEditComments || (data.asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canEditComment(name); + changeComment.removable = (this.appOptions.canDeleteComments || (data.asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canDeleteComment(name); + changeComment.hide = !AscCommon.UserInfoParser.canViewComment(name); let dateReply = null; const replies = []; @@ -164,8 +165,8 @@ class CommentsController extends Component { reply: data.asc_getReply(i).asc_getText(), time: dateReply.getTime(), userInitials: this.usersStore.getInitials(parsedName), - editable: this.appOptions.canEditComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId), - removable: this.appOptions.canDeleteComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId) + editable: (this.appOptions.canEditComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canEditComment(userName), + removable: (this.appOptions.canDeleteComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canDeleteComment(userName) }); } changeComment.replies = replies; @@ -197,8 +198,9 @@ class CommentsController extends Component { replies : [], groupName : (groupName && groupName.length>1) ? groupName[1] : null, userInitials : this.usersStore.getInitials(parsedName), - editable : this.appOptions.canEditComments || (data.asc_getUserId() === this.curUserId), - removable : this.appOptions.canDeleteComments || (data.asc_getUserId() === this.curUserId) + editable : (this.appOptions.canEditComments || (data.asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canEditComment(userName), + removable : (this.appOptions.canDeleteComments || (data.asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canDeleteComment(userName), + hide : !AscCommon.UserInfoParser.canViewComment(userName), }; if (comment) { const replies = this.readSDKReplies(data); @@ -230,8 +232,8 @@ class CommentsController extends Component { reply : data.asc_getReply(i).asc_getText(), time : date.getTime(), userInitials : this.usersStore.getInitials(parsedName), - editable : this.appOptions.canEditComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId), - removable : this.appOptions.canDeleteComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId) + editable : (this.appOptions.canEditComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canEditComment(userName), + removable : (this.appOptions.canDeleteComments || (data.asc_getReply(i).asc_getUserId() === this.curUserId)) && AscCommon.UserInfoParser.canDeleteComment(userName) }); } } @@ -455,7 +457,11 @@ class ViewCommentsController extends Component { }); } closeViewCurComments () { - f7.sheet.close('#view-comment-sheet'); + if (Device.phone) { + f7.sheet.close('#view-comment-sheet'); + } else { + f7.popover.close('#view-comment-popover'); + } this.setState({isOpenViewCurComments: false}); } onResolveComment (comment) { @@ -493,6 +499,7 @@ class ViewCommentsController extends Component { }); } const api = Common.EditorApi.get(); + api.asc_showComments(this.props.storeApplicationSettings.isResolvedComments); api.asc_changeComment(comment.uid, ascComment); if(!this.props.storeApplicationSettings.isResolvedComments) { diff --git a/apps/common/mobile/lib/store/comments.js b/apps/common/mobile/lib/store/comments.js index 8163b1917..28a2d7a63 100644 --- a/apps/common/mobile/lib/store/comments.js +++ b/apps/common/mobile/lib/store/comments.js @@ -80,6 +80,7 @@ export class storeComments { comment.editable = changeComment.editable; comment.removable = changeComment.removable; comment.replies = changeComment.replies; + comment.hide =changeComment.hide; } } diff --git a/apps/common/mobile/lib/view/collaboration/Comments.jsx b/apps/common/mobile/lib/view/collaboration/Comments.jsx index eb520b3e3..381ed375f 100644 --- a/apps/common/mobile/lib/view/collaboration/Comments.jsx +++ b/apps/common/mobile/lib/view/collaboration/Comments.jsx @@ -148,9 +148,9 @@ const CommentActions = ({comment, onCommentMenuClick, opened, openActionComment} {comment && {comment.editable && {onCommentMenuClick('editComment', comment);}}>{_t.textEdit}} - {!comment.resolved ? + {!comment.resolved && comment.editable ? {onCommentMenuClick('resolve', comment);}}>{_t.textResolve} : - {onCommentMenuClick('resolve', comment);}}>{_t.textReopen} + comment.editable && {onCommentMenuClick('resolve', comment);}}>{_t.textReopen} } {onCommentMenuClick('addReply', comment);}}>{_t.textAddReply} {comment.removable && {onCommentMenuClick('deleteComment', comment);}}>{_t.textDeleteComment}} @@ -635,7 +635,7 @@ const ViewComments = ({storeComments, storeAppOptions, onCommentMenuClick, onRes const viewMode = !storeAppOptions.canComments; const comments = storeComments.groupCollectionFilter || storeComments.collectionComments; - const sortComments = comments.length > 0 ? [...comments].sort((a, b) => a.time > b.time ? 1 : -1) : null; + const sortComments = comments.length > 0 ? [...comments].sort((a, b) => a.time > b.time ? -1 : 1) : null; const [clickComment, setComment] = useState(); const [commentActionsOpened, openActionComment] = useState(false); @@ -659,6 +659,7 @@ const ViewComments = ({storeComments, storeAppOptions, onCommentMenuClick, onRes {sortComments.map((comment, indexComment) => { return ( + !comment.hide && { !e.target.closest('.comment-menu') && !e.target.closest('.reply-menu') ? showComment(comment) : null}}>
@@ -671,7 +672,7 @@ const ViewComments = ({storeComments, storeAppOptions, onCommentMenuClick, onRes
{!viewMode &&
-
{onResolveComment(comment);}}>
+ {comment.editable &&
{onResolveComment(comment);}}>
}
{setComment(comment); openActionComment(true);}} >
@@ -699,7 +700,7 @@ const ViewComments = ({storeComments, storeAppOptions, onCommentMenuClick, onRes
{reply.date}
- {!viewMode && + {!viewMode && reply.editable &&
{setComment(comment); setReply(reply); openActionReply(true);}} @@ -800,7 +801,7 @@ const CommentList = inject("storeComments", "storeAppOptions")(observer(({storeC
{!viewMode &&
-
{onResolveComment(comment);}}>
+ {comment.editable &&
{onResolveComment(comment);}}>
}
{openActionComment(true);}} >
@@ -828,7 +829,7 @@ const CommentList = inject("storeComments", "storeAppOptions")(observer(({storeC
{reply.date}
- {!viewMode && + {!viewMode && reply.editable &&
{setReply(reply); openActionReply(true);}} diff --git a/apps/common/mobile/resources/less/comments.less b/apps/common/mobile/resources/less/comments.less index 4067b7a57..bf9b78181 100644 --- a/apps/common/mobile/resources/less/comments.less +++ b/apps/common/mobile/resources/less/comments.less @@ -56,8 +56,11 @@ padding-right: 16px; .right { display: flex; - justify-content: space-between; + justify-content: flex-end; width: 70px; + .comment-resolve { + margin-right: 10px; + } } } .reply-header { diff --git a/apps/common/mobile/resources/less/common-material.less b/apps/common/mobile/resources/less/common-material.less index 604e5bcbf..f299fe9ba 100644 --- a/apps/common/mobile/resources/less/common-material.less +++ b/apps/common/mobile/resources/less/common-material.less @@ -29,7 +29,6 @@ --f7-range-knob-size: 16px; --f7-link-highlight-color: transparent; - --f7-touch-ripple-color: @touchColor; --f7-link-touch-ripple-color: @touchColor; .button { @@ -42,6 +41,7 @@ --f7-dialog-button-text-color: @themeColor; .navbar { + --f7-touch-ripple-color: @touchColor; .sheet-close { width: 56px; height: 56px; diff --git a/apps/documenteditor/embed/locale/fr.json b/apps/documenteditor/embed/locale/fr.json index 19108ad17..4ad3bb1e2 100644 --- a/apps/documenteditor/embed/locale/fr.json +++ b/apps/documenteditor/embed/locale/fr.json @@ -11,7 +11,7 @@ "DE.ApplicationController.downloadTextText": "Téléchargement du document...", "DE.ApplicationController.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.
Veuillez contacter l'administrateur de Document Server.", "DE.ApplicationController.errorDefaultMessage": "Code d'erreur: %1", - "DE.ApplicationController.errorEditingDownloadas": "Une erreure s'est produite lors du travail avec le document.
Utilisez l'option 'Télécharger comme...' pour enregistrer une copie de sauvegarde du fichier sur le disque dur de votre ordinateur.", + "DE.ApplicationController.errorEditingDownloadas": "Une erreur s'est produite lors du travail avec le document.
Utilisez l'option 'Télécharger comme...' pour enregistrer une copie de sauvegarde du fichier sur le disque dur de votre ordinateur.", "DE.ApplicationController.errorFilePassProtect": "Le fichier est protégé par le mot de passe et ne peut pas être ouvert.", "DE.ApplicationController.errorFileSizeExceed": "La taille du fichier dépasse les limites établies sur votre serveur.
Veuillez contacter votre administrateur de Document Server pour obtenir plus d'informations. ", "DE.ApplicationController.errorSubmit": "Échec de soumission", diff --git a/apps/documenteditor/embed/locale/ru.json b/apps/documenteditor/embed/locale/ru.json index 004090bc7..29a785721 100644 --- a/apps/documenteditor/embed/locale/ru.json +++ b/apps/documenteditor/embed/locale/ru.json @@ -19,10 +19,14 @@ "DE.ApplicationController.errorUserDrop": "В настоящий момент файл недоступен.", "DE.ApplicationController.notcriticalErrorTitle": "Внимание", "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": "Закрыть", diff --git a/apps/documenteditor/embed/locale/sl.json b/apps/documenteditor/embed/locale/sl.json index 69203a9ff..018e14331 100644 --- a/apps/documenteditor/embed/locale/sl.json +++ b/apps/documenteditor/embed/locale/sl.json @@ -11,20 +11,29 @@ "DE.ApplicationController.downloadTextText": "Prenašanje dokumenta ...", "DE.ApplicationController.errorAccessDeny": "Poskušate izvesti dejanje, za katerega nimate pravic.
Obrnite se na skrbnika strežnika dokumentov.", "DE.ApplicationController.errorDefaultMessage": "Koda napake: %1", + "DE.ApplicationController.errorEditingDownloadas": "Med delom z dokumentom je prišlo do napake.
S funkcijo »Prenesi kot ...« shranite varnostno kopijo datoteke na trdi disk računalnika.", "DE.ApplicationController.errorFilePassProtect": "Dokument je zaščiten z geslom in ga ni mogoče odpreti.", "DE.ApplicationController.errorFileSizeExceed": "Velikost datoteke presega omejitev, nastavljeno za vaš strežnik.
Za podrobnosti se obrnite na skrbnika strežnika dokumentov.", + "DE.ApplicationController.errorSubmit": "Pošiljanje je spodletelo", "DE.ApplicationController.errorUpdateVersionOnDisconnect": "Povezava s spletom je bila obnovljena in spremenjena je različica datoteke.
Preden nadaljujete z delom, morate datoteko prenesti ali kopirati njeno vsebino, da se prepričate, da se nič ne izgubi, in nato znova naložite to stran.", "DE.ApplicationController.errorUserDrop": "Do datoteke v tem trenutku ni možno dostopati.", "DE.ApplicationController.notcriticalErrorTitle": "Opozorilo", "DE.ApplicationController.scriptLoadError": "Povezava je počasna, nekatere komponente niso pravilno naložene.Prosimo osvežite stran.", + "DE.ApplicationController.textClear": "Počisti vsa polja", "DE.ApplicationController.textLoadingDocument": "Nalaganje dokumenta", + "DE.ApplicationController.textNext": "Naslednje polje", "DE.ApplicationController.textOf": "od", + "DE.ApplicationController.textSubmit": "Pošlji", + "DE.ApplicationController.textSubmited": "Obrazec poslan uspešno
Pritisnite tukaj za zaprtje obvestila", "DE.ApplicationController.txtClose": "Zapri", "DE.ApplicationController.unknownErrorText": "Neznana napaka.", "DE.ApplicationController.unsupportedBrowserErrorText": "Vaš brskalnik ni podprt.", "DE.ApplicationController.waitText": "Prosimo počakajte ...", "DE.ApplicationView.txtDownload": "Prenesi", + "DE.ApplicationView.txtDownloadDocx": "Prenesi kot DOCX", + "DE.ApplicationView.txtDownloadPdf": "Prenesi kot PDF", "DE.ApplicationView.txtEmbed": "Vdelano", + "DE.ApplicationView.txtFileLocation": "Odpri lokacijo dokumenta", "DE.ApplicationView.txtFullScreen": "Celozaslonski", "DE.ApplicationView.txtPrint": "Natisni", "DE.ApplicationView.txtShare": "Deli" diff --git a/apps/documenteditor/embed/locale/tr.json b/apps/documenteditor/embed/locale/tr.json index 2895da645..6cc48ad89 100644 --- a/apps/documenteditor/embed/locale/tr.json +++ b/apps/documenteditor/embed/locale/tr.json @@ -22,6 +22,7 @@ "DE.ApplicationController.textNext": "Sonraki alan", "DE.ApplicationController.textOf": "'in", "DE.ApplicationController.textSubmit": "Kaydet", + "DE.ApplicationController.textSubmited": "Form başarılı bir şekilde kaydedildi
İpucunu kapatmak için tıklayın", "DE.ApplicationController.txtClose": "Kapat", "DE.ApplicationController.unknownErrorText": "Bilinmeyen hata.", "DE.ApplicationController.unsupportedBrowserErrorText": "Tarayıcınız desteklenmiyor.", diff --git a/apps/documenteditor/embed/locale/zh.json b/apps/documenteditor/embed/locale/zh.json index 3305185d9..16ef5651e 100644 --- a/apps/documenteditor/embed/locale/zh.json +++ b/apps/documenteditor/embed/locale/zh.json @@ -11,20 +11,29 @@ "DE.ApplicationController.downloadTextText": "正在下载文件...", "DE.ApplicationController.errorAccessDeny": "您正在尝试执行您没有权限的操作。
请联系您的文档服务器管理员.", "DE.ApplicationController.errorDefaultMessage": "错误代码:%1", + "DE.ApplicationController.errorEditingDownloadas": "在处理文档期间发生错误。
使用“下载为…”选项将文件备份复制到您的计算机硬盘中。", "DE.ApplicationController.errorFilePassProtect": "该文档受密码保护,无法被打开。", "DE.ApplicationController.errorFileSizeExceed": "文件大小超出了为服务器设置的限制.
有关详细信息,请与文档服务器管理员联系。", + "DE.ApplicationController.errorSubmit": "提交失败", "DE.ApplicationController.errorUpdateVersionOnDisconnect": "网络连接已恢复,文件版本已变更。
在继续工作之前,需要下载文件或复制其内容以避免丢失数据,然后刷新此页。", "DE.ApplicationController.errorUserDrop": "该文件现在无法访问。", "DE.ApplicationController.notcriticalErrorTitle": "警告", "DE.ApplicationController.scriptLoadError": "连接速度过慢,部分组件无法被加载。请重新加载页面。", + "DE.ApplicationController.textClear": "清除所有字段", "DE.ApplicationController.textLoadingDocument": "文件加载中…", + "DE.ApplicationController.textNext": "下一域", "DE.ApplicationController.textOf": "的", + "DE.ApplicationController.textSubmit": "提交", + "DE.ApplicationController.textSubmited": "表单成功地被提交了
点击以关闭贴士", "DE.ApplicationController.txtClose": "关闭", "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/main/app/controller/Toolbar.js b/apps/documenteditor/main/app/controller/Toolbar.js index efa107fc5..4975e0dcd 100644 --- a/apps/documenteditor/main/app/controller/Toolbar.js +++ b/apps/documenteditor/main/app/controller/Toolbar.js @@ -895,6 +895,8 @@ define([ if (need_disable != toolbar.btnColumns.isDisabled()) toolbar.btnColumns.setDisabled(need_disable); + toolbar.btnLineNumbers.setDisabled(in_image && in_para || this._state.lock_doc); + if (toolbar.listStylesAdditionalMenuItem && (frame_pr===undefined) !== toolbar.listStylesAdditionalMenuItem.isDisabled()) toolbar.listStylesAdditionalMenuItem.setDisabled(frame_pr===undefined); @@ -1761,6 +1763,7 @@ define([ switch (item.value) { case 0: + this._state.linenum = undefined; this.api.asc_SetLineNumbersProps(Asc.c_oAscSectionApplyType.Current, null); break; case 1: diff --git a/apps/documenteditor/main/app/view/FileMenu.js b/apps/documenteditor/main/app/view/FileMenu.js index ffdd1b0fa..245d57bd8 100644 --- a/apps/documenteditor/main/app/view/FileMenu.js +++ b/apps/documenteditor/main/app/view/FileMenu.js @@ -235,6 +235,17 @@ define([ this.rendered = true; this.$el.html($markup); this.$el.find('.content-box').hide(); + if (_.isUndefined(this.scroller)) { + var me = this; + this.scroller = new Common.UI.Scroller({ + el: this.$el.find('.panel-menu'), + suppressScrollX: true, + alwaysVisibleY: true + }); + Common.NotificationCenter.on('window:resize', function() { + me.scroller.update(); + }); + } this.applyMode(); if ( !!this.api ) { @@ -257,6 +268,7 @@ define([ if (!panel) panel = this.active || defPanel; this.$el.show(); + this.scroller.update(); this.selectMenu(panel, opts, defPanel); this.api.asc_enableKeyEvents(false); @@ -400,6 +412,17 @@ define([ this.$el.find('.content-box:visible').hide(); panel.show(opts); + if (this.scroller) { + var itemTop = item.$el.position().top, + itemHeight = item.$el.outerHeight(), + listHeight = this.$el.outerHeight(); + if (itemTop < 0 || itemTop + itemHeight > listHeight) { + var height = this.scroller.$el.scrollTop() + itemTop + (itemHeight - listHeight)/2; + height = (Math.floor(height/itemHeight) * itemHeight); + this.scroller.scrollTop(height); + } + } + this.active = menu; } } diff --git a/apps/documenteditor/main/app/view/FormSettings.js b/apps/documenteditor/main/app/view/FormSettings.js index 1e7f0a893..72fdc4f9f 100644 --- a/apps/documenteditor/main/app/view/FormSettings.js +++ b/apps/documenteditor/main/app/view/FormSettings.js @@ -867,14 +867,14 @@ define([ this.chMulti.setValue(!!val, true); this._state.Multi=val; } - this.chMulti.setDisabled(!this._state.Fixed); + this.chMulti.setDisabled(!this._state.Fixed || this._state.Comb); val = formTextPr.get_AutoFit(); if ( this._state.AutoFit!==val ) { this.chAutofit.setValue(!!val, true); this._state.AutoFit=val; } - this.chAutofit.setDisabled(!this._state.Fixed); + this.chAutofit.setDisabled(!this._state.Fixed || this._state.Comb); this.btnColor.setDisabled(!this._state.Comb); diff --git a/apps/documenteditor/main/app/view/Toolbar.js b/apps/documenteditor/main/app/view/Toolbar.js index 534b5fad1..91a673d29 100644 --- a/apps/documenteditor/main/app/view/Toolbar.js +++ b/apps/documenteditor/main/app/view/Toolbar.js @@ -1006,7 +1006,7 @@ define([ ] }) }); - + this.toolbarControls.push(this.btnLineNumbers); this.btnClearStyle = new Common.UI.Button({ id: 'id-toolbar-btn-clearstyle', diff --git a/apps/documenteditor/main/locale/ca.json b/apps/documenteditor/main/locale/ca.json index 2e87e25f5..3905ab537 100644 --- a/apps/documenteditor/main/locale/ca.json +++ b/apps/documenteditor/main/locale/ca.json @@ -18,6 +18,7 @@ "Common.Controllers.ReviewChanges.textBreakBefore": "Salt de pàgina abans", "Common.Controllers.ReviewChanges.textCaps": "Majúscules ", "Common.Controllers.ReviewChanges.textCenter": "Centrar", + "Common.Controllers.ReviewChanges.textChar": "Nivell de caràcter", "Common.Controllers.ReviewChanges.textChart": "Gràfic", "Common.Controllers.ReviewChanges.textColor": "Color de Font", "Common.Controllers.ReviewChanges.textContextual": "No afegiu interval entre paràgrafs del mateix estil", @@ -47,6 +48,10 @@ "Common.Controllers.ReviewChanges.textNot": "No", "Common.Controllers.ReviewChanges.textNoWidow": "Sense control de la finestra", "Common.Controllers.ReviewChanges.textNum": "Canviar numeració", + "Common.Controllers.ReviewChanges.textOff": "{0} Ja no s'utilitza el seguiment de canvis.", + "Common.Controllers.ReviewChanges.textOffGlobal": "{0} S'ha inhabilitat el Seguiment de Canvis per a tothom.", + "Common.Controllers.ReviewChanges.textOn": "{0} Ara s'està utilitzant el seguiment de canvis.", + "Common.Controllers.ReviewChanges.textOnGlobal": "{0} S'ha activat el seguiment de canvis per a tothom.", "Common.Controllers.ReviewChanges.textParaDeleted": "Paràgraf Suprimit", "Common.Controllers.ReviewChanges.textParaFormatted": "Paràgraf Formatat", "Common.Controllers.ReviewChanges.textParaInserted": "Paràgraf Inserit", @@ -57,6 +62,7 @@ "Common.Controllers.ReviewChanges.textRight": "Alinear dreta", "Common.Controllers.ReviewChanges.textShape": "Forma", "Common.Controllers.ReviewChanges.textShd": "Color de Fons", + "Common.Controllers.ReviewChanges.textShow": "Mostra els canvis a", "Common.Controllers.ReviewChanges.textSmallCaps": "Majúscules petites", "Common.Controllers.ReviewChanges.textSpacing": "Espai", "Common.Controllers.ReviewChanges.textSpacingAfter": "Espai després", @@ -68,19 +74,56 @@ "Common.Controllers.ReviewChanges.textTableRowsAdd": "Files de Taula Afegides", "Common.Controllers.ReviewChanges.textTableRowsDel": "Files de Taula Suprimides", "Common.Controllers.ReviewChanges.textTabs": "Canviar tabulació", + "Common.Controllers.ReviewChanges.textTitleComparison": "Paràmetres de comparació", "Common.Controllers.ReviewChanges.textUnderline": "Subratllar", "Common.Controllers.ReviewChanges.textUrl": "Enganxar la URL del document", "Common.Controllers.ReviewChanges.textWidow": "Control Finestra", + "Common.Controllers.ReviewChanges.textWord": "Nivell de paraula", "Common.define.chartData.textArea": "Àrea", + "Common.define.chartData.textAreaStacked": "Àrea apilada", + "Common.define.chartData.textAreaStackedPer": "Àrea apilada al 100%", "Common.define.chartData.textBar": "Barra", + "Common.define.chartData.textBarNormal": "Columna agrupada", + "Common.define.chartData.textBarNormal3d": "Columna 3D agrupada", + "Common.define.chartData.textBarNormal3dPerspective": "Columna 3D", + "Common.define.chartData.textBarStacked": "Columna apilada", + "Common.define.chartData.textBarStacked3d": "Columna 3D apilada", + "Common.define.chartData.textBarStackedPer": "Columna apilada al 100%", + "Common.define.chartData.textBarStackedPer3d": "columna 3D apilada al 100%", "Common.define.chartData.textCharts": "Gràfics", "Common.define.chartData.textColumn": "Columna", + "Common.define.chartData.textCombo": "Combo", + "Common.define.chartData.textComboAreaBar": "Àrea apilada - columna agrupada", + "Common.define.chartData.textComboBarLine": "Columna-línia agrupada", + "Common.define.chartData.textComboBarLineSecondary": " Columna-línia agrupada a l'eix secundari", + "Common.define.chartData.textComboCustom": "Combinació personalitzada", + "Common.define.chartData.textDoughnut": "Donut", + "Common.define.chartData.textHBarNormal": "Barra agrupada", + "Common.define.chartData.textHBarNormal3d": "Barra 3D agrupada", + "Common.define.chartData.textHBarStacked": "Barra apilada", + "Common.define.chartData.textHBarStacked3d": "Barra 3D apilada", + "Common.define.chartData.textHBarStackedPer": "Barra apilada al 100%", + "Common.define.chartData.textHBarStackedPer3d": "Barra 3-D apilada al 100%", "Common.define.chartData.textLine": "Línia", + "Common.define.chartData.textLine3d": "Línia 3D", + "Common.define.chartData.textLineMarker": "Línia amb marcadors", + "Common.define.chartData.textLineStacked": "Línia apilada", + "Common.define.chartData.textLineStackedMarker": "Línia apilada amb marcadors", + "Common.define.chartData.textLineStackedPer": "Línia apilada al 100%", + "Common.define.chartData.textLineStackedPerMarker": "Línia apilada al 100% amb marcadors", "Common.define.chartData.textPie": "Gràfic circular", + "Common.define.chartData.textPie3d": "Pastís 3D", "Common.define.chartData.textPoint": "XY (Dispersió)", + "Common.define.chartData.textScatter": "Dispersió", + "Common.define.chartData.textScatterLine": "Dispersió amb línies rectes", + "Common.define.chartData.textScatterLineMarker": "Dispersió amb línies rectes i marcadors", + "Common.define.chartData.textScatterSmooth": "Dispersió amb línies suaus", + "Common.define.chartData.textScatterSmoothMarker": "Dispersió amb línies suaus i marcadors", "Common.define.chartData.textStock": "Existències", "Common.define.chartData.textSurface": "Superfície", - "Common.Translation.warnFileLocked": "El document està sent editat per una altra aplicació. Podeu continuar editant i guardar-lo com a còpia.", + "Common.Translation.warnFileLocked": "No pot editar aquest fitxer perquè s'està editant en una altra aplicació.", + "Common.Translation.warnFileLockedBtnEdit": "Crea una còpia", + "Common.Translation.warnFileLockedBtnView": "Obrir per veure", "Common.UI.Calendar.textApril": "Abril", "Common.UI.Calendar.textAugust": "Agost", "Common.UI.Calendar.textDecember": "Desembre", @@ -114,6 +157,7 @@ "Common.UI.Calendar.textShortTuesday": "Dim", "Common.UI.Calendar.textShortWednesday": "Dim", "Common.UI.Calendar.textYears": "Anys", + "Common.UI.ColorButton.textAutoColor": "Automàtic", "Common.UI.ColorButton.textNewColor": "Afegir un Nou Color Personalitzat", "Common.UI.ComboBorderSize.txtNoBorders": "Sense vores", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sense vores", @@ -138,6 +182,9 @@ "Common.UI.SynchronizeTip.textSynchronize": "Un altre usuari ha canviat el document.
Feu clic per desar els canvis i tornar a carregar les actualitzacions.", "Common.UI.ThemeColorPalette.textStandartColors": "Colors Estàndards", "Common.UI.ThemeColorPalette.textThemeColors": "Colors Tema", + "Common.UI.Themes.txtThemeClassicLight": "Llum clàssica", + "Common.UI.Themes.txtThemeDark": "Fosc", + "Common.UI.Themes.txtThemeLight": "Llum", "Common.UI.Window.cancelButtonText": "Cancel·lar", "Common.UI.Window.closeButtonText": "Tancar", "Common.UI.Window.noButtonText": "No", @@ -159,10 +206,12 @@ "Common.Views.About.txtVersion": "Versió", "Common.Views.AutoCorrectDialog.textAdd": "Afegir", "Common.Views.AutoCorrectDialog.textApplyText": "Aplica a mesura que escrius", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Correcció Automàtica", "Common.Views.AutoCorrectDialog.textAutoFormat": "Format automàtic a mesura que escriviu", "Common.Views.AutoCorrectDialog.textBulleted": "Llistes automàtiques de vinyetes", "Common.Views.AutoCorrectDialog.textBy": "Per", "Common.Views.AutoCorrectDialog.textDelete": "Esborrar", + "Common.Views.AutoCorrectDialog.textFLSentence": "Posa en majúscules la primera lletra de les frases", "Common.Views.AutoCorrectDialog.textHyphens": "Guions (--) amb guió (—)", "Common.Views.AutoCorrectDialog.textMathCorrect": "Correcció Automàtica Matemàtica", "Common.Views.AutoCorrectDialog.textNumbered": "Llistes numerades automàtiques", @@ -212,11 +261,13 @@ "Common.Views.ExternalMergeEditor.textSave": "Desar i Sortir", "Common.Views.ExternalMergeEditor.textTitle": "Receptors de Fusió de Correu", "Common.Views.Header.labelCoUsersDescr": "Usuaris que editen el fitxer:", + "Common.Views.Header.textAddFavorite": "Marca com a favorit", "Common.Views.Header.textAdvSettings": "Configuració Avançada", "Common.Views.Header.textBack": "Obrir ubicació del arxiu", "Common.Views.Header.textCompactView": "Amagar la Barra d'Eines", "Common.Views.Header.textHideLines": "Amagar Regles", "Common.Views.Header.textHideStatusBar": "Amagar la Barra d'Estat", + "Common.Views.Header.textRemoveFavorite": "Elimina dels Favorits", "Common.Views.Header.textZoom": "Zoom", "Common.Views.Header.tipAccessRights": "Gestiona els drets d’accés al document", "Common.Views.Header.tipDownload": "Descarregar arxiu", @@ -290,10 +341,15 @@ "Common.Views.ReviewChanges.strFastDesc": "Co-edició a temps real. Tots", "Common.Views.ReviewChanges.strStrict": "Estricte", "Common.Views.ReviewChanges.strStrictDesc": "Feu servir el botó \"Desa\" per sincronitzar els canvis que feu i els altres.", + "Common.Views.ReviewChanges.textEnable": "Activar", + "Common.Views.ReviewChanges.textWarnTrackChanges": "El seguiment de canvis s'activarà per a tots els usuaris amb accés total. La pròxima vegada que algú obri el document, el seguiment de canvis seguirà activat.", + "Common.Views.ReviewChanges.textWarnTrackChangesTitle": "Voleu activar el seguiment de canvis per a tothom?", "Common.Views.ReviewChanges.tipAcceptCurrent": "Acceptar el canvi actual", "Common.Views.ReviewChanges.tipCoAuthMode": "Configura el mode de coedició", "Common.Views.ReviewChanges.tipCommentRem": "Esborrar comentaris", "Common.Views.ReviewChanges.tipCommentRemCurrent": "Esborrar comentaris actuals", + "Common.Views.ReviewChanges.tipCommentResolve": "Resoldre els comentaris", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Resol els comentaris actuals", "Common.Views.ReviewChanges.tipCompare": "Comparar el document actual amb un altre", "Common.Views.ReviewChanges.tipHistory": "Mostra l'historial de versions", "Common.Views.ReviewChanges.tipRejectCurrent": "Rebutjar canvi actual", @@ -305,7 +361,7 @@ "Common.Views.ReviewChanges.txtAccept": "Acceptar", "Common.Views.ReviewChanges.txtAcceptAll": "Acceptar Tots els Canvis", "Common.Views.ReviewChanges.txtAcceptChanges": "Acceptar canvis", - "Common.Views.ReviewChanges.txtAcceptCurrent": "Acceptar els Canvis Actuals", + "Common.Views.ReviewChanges.txtAcceptCurrent": "Acceptar el Canvis Actual", "Common.Views.ReviewChanges.txtChat": "Xat", "Common.Views.ReviewChanges.txtClose": "Tancar", "Common.Views.ReviewChanges.txtCoAuthMode": "Mode de Coedició", @@ -314,6 +370,11 @@ "Common.Views.ReviewChanges.txtCommentRemMy": "Esborrar els meus comentaris", "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Esborrar els meus actuals comentaris", "Common.Views.ReviewChanges.txtCommentRemove": "Esborrar", + "Common.Views.ReviewChanges.txtCommentResolve": "Resol", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Resoldre tots els comentaris", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Resol els comentaris actuals", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Resoldre els Meus Comentaris", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Resoldre els Meus Comentaris Actuals", "Common.Views.ReviewChanges.txtCompare": "Comparar", "Common.Views.ReviewChanges.txtDocLang": "Idioma", "Common.Views.ReviewChanges.txtFinal": "Tots el canvis acceptats (Previsualitzar)", @@ -322,6 +383,10 @@ "Common.Views.ReviewChanges.txtMarkup": "Tots els canvis (Edició)", "Common.Views.ReviewChanges.txtMarkupCap": "Cambis", "Common.Views.ReviewChanges.txtNext": "Següent", + "Common.Views.ReviewChanges.txtOff": "DESACTIVAT per mi", + "Common.Views.ReviewChanges.txtOffGlobal": "DESACTIVAT per mi i per tothom", + "Common.Views.ReviewChanges.txtOn": "ACTIU per mi", + "Common.Views.ReviewChanges.txtOnGlobal": "ACTIU per mi i per tothom", "Common.Views.ReviewChanges.txtOriginal": "Tots els canvis rebutjats (Previsualitzar)", "Common.Views.ReviewChanges.txtOriginalCap": "Original", "Common.Views.ReviewChanges.txtPrev": "Anterior", @@ -336,7 +401,7 @@ "Common.Views.ReviewChangesDialog.textTitle": "Revisar canvis", "Common.Views.ReviewChangesDialog.txtAccept": "Acceptar", "Common.Views.ReviewChangesDialog.txtAcceptAll": "Acceptar Tots els Canvis", - "Common.Views.ReviewChangesDialog.txtAcceptCurrent": "Acceptar el Canvi Actual", + "Common.Views.ReviewChangesDialog.txtAcceptCurrent": "Acceptar el canvi actual", "Common.Views.ReviewChangesDialog.txtNext": "Al següent canvi", "Common.Views.ReviewChangesDialog.txtPrev": "Al canvi anterior", "Common.Views.ReviewChangesDialog.txtReject": "Rebutjar", @@ -349,7 +414,7 @@ "Common.Views.ReviewPopover.textEdit": "Acceptar", "Common.Views.ReviewPopover.textFollowMove": "Seguir Moure", "Common.Views.ReviewPopover.textMention": "+mention proporcionarà accés al document i enviarà un correu electrònic", - "Common.Views.ReviewPopover.textMentionNotify": "+mention notificarà l'usuari per correu electrònic", + "Common.Views.ReviewPopover.textMentionNotify": "+mention notificarà a l'usuari per correu electrònic", "Common.Views.ReviewPopover.textOpenAgain": "Obriu de nou", "Common.Views.ReviewPopover.textReply": "Contestar", "Common.Views.ReviewPopover.textResolve": "Resol", @@ -362,6 +427,7 @@ "Common.Views.SignDialog.textChange": "Canviar", "Common.Views.SignDialog.textInputName": "Posar nom de qui ho firma", "Common.Views.SignDialog.textItalic": "Itàlica", + "Common.Views.SignDialog.textNameError": "El nom del signant no pot estar buit.", "Common.Views.SignDialog.textPurpose": "Finalitat de signar aquest document", "Common.Views.SignDialog.textSelect": "Selecciona", "Common.Views.SignDialog.textSelectImage": "Seleccionar Imatge", @@ -407,6 +473,9 @@ "Common.Views.SymbolTableDialog.textSymbols": "Símbols", "Common.Views.SymbolTableDialog.textTitle": "Símbol", "Common.Views.SymbolTableDialog.textTradeMark": "Símbol de Marca Comercial", + "Common.Views.UserNameDialog.textDontShow": "No em tornis a preguntar", + "Common.Views.UserNameDialog.textLabel": "Etiqueta:", + "Common.Views.UserNameDialog.textLabelError": "L'etiqueta no pot estar en blanc.", "DE.Controllers.LeftMenu.leavePageText": "Es perdran tots els canvis no guardats en aquest document.
Feu clic a \"Cancel·lar\" i, a continuació, \"Desa\" per desar-los. Feu clic a \"OK\" per descartar tots els canvis no desats.", "DE.Controllers.LeftMenu.newDocumentTitle": "Document sense nom", "DE.Controllers.LeftMenu.notcriticalErrorTitle": "Avis", @@ -432,6 +501,7 @@ "DE.Controllers.Main.errorAccessDeny": "Intenteu realitzar una acció per la qual no teniu drets.
Poseu-vos en contacte amb l'administrador del servidor de documents.", "DE.Controllers.Main.errorBadImageUrl": "Enllaç de la Imatge Incorrecte", "DE.Controllers.Main.errorCoAuthoringDisconnect": "S'ha perdut la connexió amb el servidor. El document no es pot editar ara mateix.", + "DE.Controllers.Main.errorComboSeries": "Per crear un diagrama combinat, seleccioneu almenys 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": "El document no s'ha pogut desar. Comproveu la configuració de la connexió o poseu-vos en contacte amb el vostre administrador.
Quan feu clic al botó \"D'acord\", se us demanarà que descarregueu el document.", "DE.Controllers.Main.errorDatabaseConnection": "Error extern.
Error de connexió de base de dades. Contacteu amb l'assistència en cas que l'error continuï.", @@ -454,7 +524,9 @@ "DE.Controllers.Main.errorSessionAbsolute": "La sessió d’edició del document ha caducat. Torneu a carregar la pàgina.", "DE.Controllers.Main.errorSessionIdle": "El document no s’ha editat des de fa temps. Torneu a carregar la pàgina.", "DE.Controllers.Main.errorSessionToken": "S'ha interromput la connexió amb el servidor. Torneu a carregar la pàgina.", + "DE.Controllers.Main.errorSetPassword": "No s'ha pogut establir la contrasenya.", "DE.Controllers.Main.errorStockChart": "Ordre de fila incorrecte. 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": "L'enviament ha fallat.", "DE.Controllers.Main.errorToken": "El testimoni de seguretat del document no està format correctament.
Contacteu l'administrador del servidor de documents.", "DE.Controllers.Main.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacteu amb l'administrador del Document Server.", "DE.Controllers.Main.errorUpdateVersion": "La versió del fitxer s'ha canviat. La pàgina es tornarà a carregar.", @@ -463,6 +535,7 @@ "DE.Controllers.Main.errorUsersExceed": "S'ha superat el nombre d’usuaris permès pel pla de preus", "DE.Controllers.Main.errorViewerDisconnect": "Es perd la connexió. Encara podeu visualitzar el document,
però no podreu descarregar-lo ni imprimir-lo fins que no es restableixi la connexió i es torni a carregar la pàgina.", "DE.Controllers.Main.leavePageText": "Heu fet canvis no guardats en aquest document. Feu clic a \"Continua en aquesta pàgina\" i, a continuació, \"Desa\" per desar-les. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", + "DE.Controllers.Main.leavePageTextOnClose": "Es perdran tots els canvis no guardats en aquest document.
Feu clic a \"Cancel·lar\" i, a continuació, \"Desa\" per desar-los. Feu clic a \"OK\" per descartar tots els canvis no desats.", "DE.Controllers.Main.loadFontsTextText": "Carregant dades...", "DE.Controllers.Main.loadFontsTitleText": "Carregant Dades", "DE.Controllers.Main.loadFontTextText": "Carregant dades...", @@ -485,6 +558,7 @@ "DE.Controllers.Main.requestEditFailedMessageText": "Algú està editant aquest document ara mateix. Si us plau, intenta-ho més tard.", "DE.Controllers.Main.requestEditFailedTitleText": "Accés denegat", "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 raons possibles són:
1. El fitxer és de només lectura.
2. El fitxer està sent editat per altres usuaris.
3. El disc està ple o corromput.", "DE.Controllers.Main.savePreparingText": "Preparant per guardar", "DE.Controllers.Main.savePreparingTitle": "Preparant per guardar. Si us plau, esperi", "DE.Controllers.Main.saveTextText": "Desant Document...", @@ -504,15 +578,20 @@ "DE.Controllers.Main.textContactUs": "Contacte de Vendes", "DE.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, converteix l’equació al format d’Office Math ML.
Converteix ara?", "DE.Controllers.Main.textCustomLoader": "Tingueu en compte que, segons els termes de la llicència, no teniu dret a canviar el carregador.
Consulteu el nostre departament de vendes per obtenir un pressupost.", + "DE.Controllers.Main.textGuest": "Convidat", "DE.Controllers.Main.textHasMacros": "El fitxer conté macros automàtiques.
Voleu executar macros?", "DE.Controllers.Main.textLearnMore": "Aprèn Més", "DE.Controllers.Main.textLoadingDocument": "Carregant document", + "DE.Controllers.Main.textLongName": "Introduïu un nom que sigui inferior a 128 caràcters.", "DE.Controllers.Main.textNoLicenseTitle": "Heu arribat al límit de la llicència", "DE.Controllers.Main.textPaidFeature": "Funció de pagament", - "DE.Controllers.Main.textRemember": "Recorda la meva elecció", + "DE.Controllers.Main.textRemember": "Recordar la meva elecció per a tots els fitxers", + "DE.Controllers.Main.textRenameError": "El nom d'usuari no pot estar buit.", + "DE.Controllers.Main.textRenameLabel": "Introduïu un nom per a la col·laboració", "DE.Controllers.Main.textShape": "Forma", "DE.Controllers.Main.textStrict": "Mode estricte", "DE.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-lo ells. Podeu canviar entre els modes de coedició mitjançant l'editor Paràmetres avançats.", + "DE.Controllers.Main.textTryUndoRedoWarn": "Les funcions Desfer/Refer estan desactivades per al mode de coedició ràpida.", "DE.Controllers.Main.titleLicenseExp": "Llicència Caducada", "DE.Controllers.Main.titleServerVersion": "S'ha actualitzat l'editor", "DE.Controllers.Main.titleUpdateVersion": "Versió canviada", @@ -525,6 +604,7 @@ "DE.Controllers.Main.txtCallouts": "Trucades", "DE.Controllers.Main.txtCharts": "Gràfics", "DE.Controllers.Main.txtChoose": "Tria un element", + "DE.Controllers.Main.txtClickToLoad": "Clicar per carregar la imatge", "DE.Controllers.Main.txtCurrentDocument": "Actual Document", "DE.Controllers.Main.txtDiagramTitle": "Gràfic Títol", "DE.Controllers.Main.txtEditingMode": "Establir el mode d'edició ...", @@ -545,7 +625,9 @@ "DE.Controllers.Main.txtMissArg": "Falta Argument", "DE.Controllers.Main.txtMissOperator": "Falta Operador", "DE.Controllers.Main.txtNeedSynchronize": "Teniu actualitzacions", + "DE.Controllers.Main.txtNone": "cap", "DE.Controllers.Main.txtNoTableOfContents": "No hi ha cap títol al document. Apliqueu un estil d’encapçalament al text perquè aparegui a la taula de continguts.", + "DE.Controllers.Main.txtNoTableOfFigures": "No s'ha trobat cap entrada a la taula de figures.", "DE.Controllers.Main.txtNoText": "Error! No hi ha cap text d'estil especificat al document.", "DE.Controllers.Main.txtNotInTable": "No està en la taula", "DE.Controllers.Main.txtNotValidBookmark": "Error! No és una autoreferenciació de favorit vàlid.", @@ -671,7 +753,7 @@ "DE.Controllers.Main.txtShape_mathNotEqual": "No igual", "DE.Controllers.Main.txtShape_mathPlus": "Més", "DE.Controllers.Main.txtShape_moon": "Lluna", - "DE.Controllers.Main.txtShape_noSmoking": "\"No\" Símbol", + "DE.Controllers.Main.txtShape_noSmoking": "Símbol \"No\"", "DE.Controllers.Main.txtShape_notchedRightArrow": "Fletxa a la dreta encaixada", "DE.Controllers.Main.txtShape_octagon": "Octagon", "DE.Controllers.Main.txtShape_parallelogram": "Paral·lelograma", @@ -701,16 +783,16 @@ "DE.Controllers.Main.txtShape_snip2SameRect": "Retallar Rectangle de la cantonada del mateix costat", "DE.Controllers.Main.txtShape_snipRoundRect": "Retallar i rondejar rectangle de cantonada senzilla", "DE.Controllers.Main.txtShape_spline": "Corba", - "DE.Controllers.Main.txtShape_star10": "10-Punt Principal", - "DE.Controllers.Main.txtShape_star12": "12-Punt Principal", - "DE.Controllers.Main.txtShape_star16": "16-Punt Principal", - "DE.Controllers.Main.txtShape_star24": "24-Punt Principal", - "DE.Controllers.Main.txtShape_star32": "32-Punt Principal", - "DE.Controllers.Main.txtShape_star4": "4-Punt Principal", - "DE.Controllers.Main.txtShape_star5": "5-Punt Principal", - "DE.Controllers.Main.txtShape_star6": "6-Punt Principal", - "DE.Controllers.Main.txtShape_star7": "7-Punt Principal", - "DE.Controllers.Main.txtShape_star8": "8-Punt Principal", + "DE.Controllers.Main.txtShape_star10": "Estrella de 10 puntes", + "DE.Controllers.Main.txtShape_star12": "Estrella de 12 puntes", + "DE.Controllers.Main.txtShape_star16": "Estrella de 16 puntes", + "DE.Controllers.Main.txtShape_star24": "Estrella de 24 puntes", + "DE.Controllers.Main.txtShape_star32": "Estrella de 32 puntes", + "DE.Controllers.Main.txtShape_star4": "Estrella de 4 puntes", + "DE.Controllers.Main.txtShape_star5": "Estrella de 5 puntes", + "DE.Controllers.Main.txtShape_star6": "Estrella de 6 puntes", + "DE.Controllers.Main.txtShape_star7": "Estrella de 7 puntes", + "DE.Controllers.Main.txtShape_star8": "Estrella de 8 puntes", "DE.Controllers.Main.txtShape_stripedRightArrow": "Fletxa a la dreta amb bandes", "DE.Controllers.Main.txtShape_sun": "Sol", "DE.Controllers.Main.txtShape_teardrop": "Llàgrima", @@ -728,6 +810,7 @@ "DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Llibre rectangular de punt rodó", "DE.Controllers.Main.txtStarsRibbons": "Estrelles i Cintes", "DE.Controllers.Main.txtStyle_Caption": "Subtítol", + "DE.Controllers.Main.txtStyle_endnote_text": "Text de nota final", "DE.Controllers.Main.txtStyle_footnote_text": "Tex Peu de Pàgina", "DE.Controllers.Main.txtStyle_Heading_1": "Títol 1", "DE.Controllers.Main.txtStyle_Heading_2": "Títol 2", @@ -748,6 +831,8 @@ "DE.Controllers.Main.txtSyntaxError": "Error de Sintaxis", "DE.Controllers.Main.txtTableInd": "L'índex de la taula no pot ser zero", "DE.Controllers.Main.txtTableOfContents": "Taula de continguts", + "DE.Controllers.Main.txtTableOfFigures": "Taula de figures", + "DE.Controllers.Main.txtTOCHeading": "Capçalera de la taula", "DE.Controllers.Main.txtTooLarge": "El número es massa gran per donar-l'hi format", "DE.Controllers.Main.txtTypeEquation": "Escrivir una equació aquí.", "DE.Controllers.Main.txtUndefBookmark": "Marcador no definit", @@ -761,7 +846,7 @@ "DE.Controllers.Main.uploadDocSizeMessage": "Superat el límit màxim del document.", "DE.Controllers.Main.uploadImageExtMessage": "Format imatge desconegut.", "DE.Controllers.Main.uploadImageFileCountMessage": "Cap imatge carregada.", - "DE.Controllers.Main.uploadImageSizeMessage": "Superat el límit màxim de la imatge.", + "DE.Controllers.Main.uploadImageSizeMessage": "La imatge és massa gran. La mida màxima és de 25 MB.", "DE.Controllers.Main.uploadImageTextText": "Pujant imatge...", "DE.Controllers.Main.uploadImageTitleText": "Pujant Imatge", "DE.Controllers.Main.waitText": "Si us plau, esperi...", @@ -769,6 +854,8 @@ "DE.Controllers.Main.warnBrowserZoom": "La configuració del zoom actual del navegador no és totalment compatible. Restabliu el zoom per defecte prement Ctrl+0.", "DE.Controllers.Main.warnLicenseExceeded": "S'ha superat el nombre de connexions simultànies al servidor de documents i el document s'obrirà només per a la seva visualització.
Contacteu l'administrador per obtenir més informació.", "DE.Controllers.Main.warnLicenseExp": "La seva llicencia ha caducat.
Si us plau, actualitzi la llicencia i recarregui la pàgina.", + "DE.Controllers.Main.warnLicenseLimitedNoAccess": "La llicència ha caducat.
No teniu accés a la funcionalitat d'edició de documents.
Si us plau, contacteu amb l'administrador.", + "DE.Controllers.Main.warnLicenseLimitedRenewed": "Cal renovar la llicència.
Teniu un accés limitat a la funcionalitat d'edició de documents.
Contacteu amb l'administrador per obtenir accés complet", "DE.Controllers.Main.warnLicenseUsersExceeded": "S'ha superat el nombre d'usuaris concurrents i el document s'obrirà només per a la seva visualització.
Per més informació, poseu-vos en contacte amb l'administrador.", "DE.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.", "DE.Controllers.Main.warnNoLicenseUsers": "Heu arribat al límit d'usuaris concurrents per a editors %1.
Contactau l'equip de vendes per als termes de millora personal dels vostres serveis.", @@ -776,6 +863,7 @@ "DE.Controllers.Navigation.txtBeginning": "Inici del document", "DE.Controllers.Navigation.txtGotoBeginning": "Anar al començament del document", "DE.Controllers.Statusbar.textHasChanges": "S'han fet un seguiment de nous canvis", + "DE.Controllers.Statusbar.textSetTrackChanges": "Esteu en mode de seguiment de canvis", "DE.Controllers.Statusbar.textTrackChanges": "El document s'obre amb el mode Canvis de pista activat", "DE.Controllers.Statusbar.tipReview": "Control de Canvis", "DE.Controllers.Statusbar.zoomText": "Zoom {0}%", @@ -787,6 +875,7 @@ "DE.Controllers.Toolbar.textFontSizeErr": "El valor introduït és incorrecte.
Introduïu un valor numèric entre 1 i 300.", "DE.Controllers.Toolbar.textFraction": "Fraccions", "DE.Controllers.Toolbar.textFunction": "Funcions", + "DE.Controllers.Toolbar.textGroup": "Grup", "DE.Controllers.Toolbar.textInsert": "Inserta", "DE.Controllers.Toolbar.textIntegral": "Integrals", "DE.Controllers.Toolbar.textLargeOperator": "Operadors Grans", @@ -796,6 +885,7 @@ "DE.Controllers.Toolbar.textRadical": "Radicals", "DE.Controllers.Toolbar.textScript": "Lletres", "DE.Controllers.Toolbar.textSymbols": "Símbols", + "DE.Controllers.Toolbar.textTabForms": "Formularis", "DE.Controllers.Toolbar.textWarning": "Avis", "DE.Controllers.Toolbar.txtAccent_Accent": "Agut", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Fletxa dreta-esquerra superior", @@ -810,7 +900,7 @@ "DE.Controllers.Toolbar.txtAccent_CurveBracketBot": "Clau Subjacent", "DE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Clau superposada", "DE.Controllers.Toolbar.txtAccent_Custom_1": "Vector A", - "DE.Controllers.Toolbar.txtAccent_Custom_2": "ABC amb barra", + "DE.Controllers.Toolbar.txtAccent_Custom_2": "ABC amb barra a sobre", "DE.Controllers.Toolbar.txtAccent_Custom_3": "x XOR i amb barra sobreposada", "DE.Controllers.Toolbar.txtAccent_DDDot": "Tres punts", "DE.Controllers.Toolbar.txtAccent_DDot": "Doble punt", @@ -981,9 +1071,9 @@ "DE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Matriu buida amb claudàtors", "DE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Matriu buida amb claudàtors", "DE.Controllers.Toolbar.txtMatrix_2_3": "2x3 matriu buida", - "DE.Controllers.Toolbar.txtMatrix_3_1": "3x1 matriu buida", - "DE.Controllers.Toolbar.txtMatrix_3_2": "3x2 matriu buida", - "DE.Controllers.Toolbar.txtMatrix_3_3": "3s3 matriu buida", + "DE.Controllers.Toolbar.txtMatrix_3_1": "Matriu buida 3x1", + "DE.Controllers.Toolbar.txtMatrix_3_2": "Matriu buida 3x2", + "DE.Controllers.Toolbar.txtMatrix_3_3": "Matriu buida 3x3", "DE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "Punts Subíndexs", "DE.Controllers.Toolbar.txtMatrix_Dots_Center": "Punts en línia mitja", "DE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Punts en diagonal", @@ -991,9 +1081,9 @@ "DE.Controllers.Toolbar.txtMatrix_Flat_Round": "Matriu escassa", "DE.Controllers.Toolbar.txtMatrix_Flat_Square": "Matriu escassa", "DE.Controllers.Toolbar.txtMatrix_Identity_2": "2x2 matriu d’identitat", - "DE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "3x3 matriu d’identitat", - "DE.Controllers.Toolbar.txtMatrix_Identity_3": "3x3 matriu d’identitat", - "DE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "3x3 matriu d’identitat", + "DE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "Matriu d’identitat 3x3", + "DE.Controllers.Toolbar.txtMatrix_Identity_3": "Matriu d’identitat 3x3", + "DE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "Matriu d’identitat 3x3", "DE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "Fletxa dreta-esquerra inferior", "DE.Controllers.Toolbar.txtOperator_ArrowD_Top": "Fletxa dreta-esquerra superior", "DE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "Fletxa inferior cap a esquerra", @@ -1335,6 +1425,7 @@ "DE.Views.DocumentHolder.textArrangeForward": "Portar Endavant", "DE.Views.DocumentHolder.textArrangeFront": "Porta a Primer pla", "DE.Views.DocumentHolder.textCells": "Cel·les", + "DE.Views.DocumentHolder.textCol": "Suprimeix tota la columna", "DE.Views.DocumentHolder.textContentControls": "Control de contingut", "DE.Views.DocumentHolder.textContinueNumbering": "Continua la numeració", "DE.Views.DocumentHolder.textCopy": "Copiar", @@ -1353,18 +1444,26 @@ "DE.Views.DocumentHolder.textFromStorage": "Des d'Emmagatzematge", "DE.Views.DocumentHolder.textFromUrl": "Des d'un Enllaç", "DE.Views.DocumentHolder.textJoinList": "Uniu-vos a la llista anterior", + "DE.Views.DocumentHolder.textLeft": "Desplaça les cel·les a l'esquerra", "DE.Views.DocumentHolder.textNest": "Taula niu", "DE.Views.DocumentHolder.textNextPage": "Pàgina Següent", "DE.Views.DocumentHolder.textNumberingValue": "Valor d'inici", "DE.Views.DocumentHolder.textPaste": "Pegar", "DE.Views.DocumentHolder.textPrevPage": "Pàgina anterior", "DE.Views.DocumentHolder.textRefreshField": "Actualitza el camp", + "DE.Views.DocumentHolder.textRemCheckBox": "Elimina la casella de selecció", + "DE.Views.DocumentHolder.textRemComboBox": "Elimina el quadre de combinació", + "DE.Views.DocumentHolder.textRemDropdown": "Elimina el desplegable", + "DE.Views.DocumentHolder.textRemField": "Eliminar camp de text", "DE.Views.DocumentHolder.textRemove": "Esborrar", "DE.Views.DocumentHolder.textRemoveControl": "Esborrar el control de contingut", + "DE.Views.DocumentHolder.textRemPicture": "Suprimir Imatge", + "DE.Views.DocumentHolder.textRemRadioBox": "Eliminar botó de selecció", "DE.Views.DocumentHolder.textReplace": "Canviar Imatge", "DE.Views.DocumentHolder.textRotate": "Girar", "DE.Views.DocumentHolder.textRotate270": "Girar 90° a l'esquerra", "DE.Views.DocumentHolder.textRotate90": "Girar 90° a la dreta", + "DE.Views.DocumentHolder.textRow": "Suprimeix tota la fila", "DE.Views.DocumentHolder.textSeparateList": "Separar llista", "DE.Views.DocumentHolder.textSettings": "Configuració", "DE.Views.DocumentHolder.textSeveral": "Diverses Files/Columnes", @@ -1376,6 +1475,7 @@ "DE.Views.DocumentHolder.textShapeAlignTop": "Alinear Superior", "DE.Views.DocumentHolder.textStartNewList": "Iniciar una llista nova", "DE.Views.DocumentHolder.textStartNumberingFrom": "Establir el valor de numeració", + "DE.Views.DocumentHolder.textTitleCellsRemove": "Suprimeix Cel·les", "DE.Views.DocumentHolder.textTOC": "Taula de continguts", "DE.Views.DocumentHolder.textTOCSettings": "Configuració de la taula de continguts", "DE.Views.DocumentHolder.textUndo": "Desfer", @@ -1589,7 +1689,7 @@ "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Haureu d’acceptar canvis abans de poder-los veure", "DE.Views.FileMenuPanels.Settings.strFast": "Ràpid", "DE.Views.FileMenuPanels.Settings.strFontRender": "Font Suggerida", - "DE.Views.FileMenuPanels.Settings.strForcesave": "Deseu sempre al servidor (en cas contrari, deseu-lo al servidor quan el tanqueu)", + "DE.Views.FileMenuPanels.Settings.strForcesave": "Afegeix una versió a l'emmagatzematge després de fer clic a Desa o Ctrl+S", "DE.Views.FileMenuPanels.Settings.strInputMode": "Activar els jeroglífics", "DE.Views.FileMenuPanels.Settings.strLiveComment": "Activa la visualització dels comentaris", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Configuració de macros", @@ -1599,6 +1699,7 @@ "DE.Views.FileMenuPanels.Settings.strShowChanges": "Canvis de Col·laboració en temps real", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activar l’opció de correcció ortogràfica", "DE.Views.FileMenuPanels.Settings.strStrict": "Estricte", + "DE.Views.FileMenuPanels.Settings.strTheme": "Tema de la interfície", "DE.Views.FileMenuPanels.Settings.strUnit": "Unitat de Mesura", "DE.Views.FileMenuPanels.Settings.strZoom": "Valor de Zoom Predeterminat", "DE.Views.FileMenuPanels.Settings.text10Minutes": "Cada 10 minuts", @@ -1610,7 +1711,7 @@ "DE.Views.FileMenuPanels.Settings.textAutoSave": "Guardar Automàticament", "DE.Views.FileMenuPanels.Settings.textCompatible": "Compatibilitat", "DE.Views.FileMenuPanels.Settings.textDisabled": "Desactivat", - "DE.Views.FileMenuPanels.Settings.textForceSave": "Desar al Servidor", + "DE.Views.FileMenuPanels.Settings.textForceSave": "Desant versions intermèdies", "DE.Views.FileMenuPanels.Settings.textMinute": "Cada Minut", "DE.Views.FileMenuPanels.Settings.textOldVersions": "Feu que els fitxers siguin compatibles amb versions anteriors de MS Word quan els deseu com a DOCX", "DE.Views.FileMenuPanels.Settings.txtAll": "Veure Tot", @@ -1636,6 +1737,63 @@ "DE.Views.FileMenuPanels.Settings.txtWarnMacros": "Mostra la Notificació", "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Desactiveu totes les macros amb una notificació", "DE.Views.FileMenuPanels.Settings.txtWin": "com Windows", + "DE.Views.FormSettings.textCheckbox": "\nCasella de selecció", + "DE.Views.FormSettings.textColor": "Color Vora", + "DE.Views.FormSettings.textComb": "Pinta de caràcters", + "DE.Views.FormSettings.textCombobox": "Quadre combinat", + "DE.Views.FormSettings.textConnected": "Camps connectats", + "DE.Views.FormSettings.textDelete": "Suprimeix", + "DE.Views.FormSettings.textDisconnect": "Desconnectar", + "DE.Views.FormSettings.textDropDown": "Desplegar", + "DE.Views.FormSettings.textField": "Camp de text", + "DE.Views.FormSettings.textFixed": "Camp de mida fixa", + "DE.Views.FormSettings.textFromFile": "Des d'un fitxer", + "DE.Views.FormSettings.textFromStorage": "Des de l'Emmagatzematge", + "DE.Views.FormSettings.textFromUrl": "Des de l'URL", + "DE.Views.FormSettings.textGroupKey": "Clau de grup", + "DE.Views.FormSettings.textImage": "Imatge", + "DE.Views.FormSettings.textKey": "Clau", + "DE.Views.FormSettings.textLock": "Bloqueja", + "DE.Views.FormSettings.textMaxChars": "Límit de caràcters", + "DE.Views.FormSettings.textNoBorder": "Sense vora", + "DE.Views.FormSettings.textPlaceholder": "Marcador de posició", + "DE.Views.FormSettings.textRadiobox": "Botó d'opció", + "DE.Views.FormSettings.textRequired": "Requerit", + "DE.Views.FormSettings.textSelectImage": "Seleccionar imatge", + "DE.Views.FormSettings.textTip": "Consell", + "DE.Views.FormSettings.textTipAdd": "Afegeir nou valor", + "DE.Views.FormSettings.textTipDelete": "Suprimeix el valor", + "DE.Views.FormSettings.textTipDown": "Mou avall", + "DE.Views.FormSettings.textTipUp": "Mou amunt", + "DE.Views.FormSettings.textUnlock": "Desbloquejar", + "DE.Views.FormSettings.textValue": "Opcions de valor", + "DE.Views.FormSettings.textWidth": "Ample de cel·la", + "DE.Views.FormsTab.capBtnCheckBox": "Casella de selecció", + "DE.Views.FormsTab.capBtnComboBox": "Quadre combinat", + "DE.Views.FormsTab.capBtnDropDown": "Desplegable", + "DE.Views.FormsTab.capBtnImage": "Imatge", + "DE.Views.FormsTab.capBtnNext": "Camp Següent", + "DE.Views.FormsTab.capBtnPrev": "Camp anterior", + "DE.Views.FormsTab.capBtnRadioBox": "Botó d'opció", + "DE.Views.FormsTab.capBtnSubmit": "Enviar", + "DE.Views.FormsTab.capBtnText": "Camp de text", + "DE.Views.FormsTab.capBtnView": "Visualitzar formulari", + "DE.Views.FormsTab.textClear": "Neteja els camps", + "DE.Views.FormsTab.textClearFields": "Esborrar tots els camps", + "DE.Views.FormsTab.textHighlight": "Paràmetres de ressaltat", + "DE.Views.FormsTab.textNewColor": "Afegeix Color Personalitzat Nou", + "DE.Views.FormsTab.textNoHighlight": "Sense ressaltat", + "DE.Views.FormsTab.textSubmited": "El formulari s'ha enviat correctament", + "DE.Views.FormsTab.tipCheckBox": "Insereix casella de selecció", + "DE.Views.FormsTab.tipComboBox": "Insereix casella de combinació", + "DE.Views.FormsTab.tipDropDown": "Insereix llista desplegable", + "DE.Views.FormsTab.tipImageField": "Insereix imatge", + "DE.Views.FormsTab.tipNextForm": "Vés al camp següent", + "DE.Views.FormsTab.tipPrevForm": "Vés al camp anterior", + "DE.Views.FormsTab.tipRadioBox": "Insereix botó d'opció", + "DE.Views.FormsTab.tipSubmit": "Enviar formulari", + "DE.Views.FormsTab.tipTextField": "Insereix camp de text", + "DE.Views.FormsTab.tipViewForm": "Visualitzar formulari", "DE.Views.HeaderFooterSettings.textBottomCenter": "Inferior centre", "DE.Views.HeaderFooterSettings.textBottomLeft": "Inferior esquerra", "DE.Views.HeaderFooterSettings.textBottomPage": "Al Peu de Pàgina", @@ -1668,6 +1826,7 @@ "DE.Views.HyperlinkSettingsDialog.txtEmpty": "Aquest camp és obligatori", "DE.Views.HyperlinkSettingsDialog.txtHeadings": "Rúbriques", "DE.Views.HyperlinkSettingsDialog.txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.example.com\"", + "DE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Aquest camp està limitat a 2083 caràcters", "DE.Views.ImageSettings.textAdvanced": "Mostra la configuració avançada", "DE.Views.ImageSettings.textCrop": "Retallar", "DE.Views.ImageSettings.textCropFill": "Omplir", @@ -1773,7 +1932,7 @@ "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "A través", "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "Estret", "DE.Views.ImageSettingsAdvanced.textWrapTopbottomTooltip": "Superior e Inferior", - "DE.Views.LeftMenu.tipAbout": "Sobre el programa", + "DE.Views.LeftMenu.tipAbout": "Quant a...", "DE.Views.LeftMenu.tipChat": "Xat", "DE.Views.LeftMenu.tipComments": "Comentaris", "DE.Views.LeftMenu.tipNavigation": "Navegació", @@ -1782,7 +1941,9 @@ "DE.Views.LeftMenu.tipSupport": "Opinió & Suport", "DE.Views.LeftMenu.tipTitles": "Títols", "DE.Views.LeftMenu.txtDeveloper": "MODALITAT DE DESENVOLUPADOR", + "DE.Views.LeftMenu.txtLimit": "Limitar l'accés", "DE.Views.LeftMenu.txtTrial": "ESTAT DE PROVA", + "DE.Views.LeftMenu.txtTrialDev": "Mode de desenvolupador de prova", "DE.Views.LineNumbersDialog.textAddLineNumbering": "Afegir numeració de línies", "DE.Views.LineNumbersDialog.textApplyTo": "Aplicar els canvis a", "DE.Views.LineNumbersDialog.textContinuous": "Contínua", @@ -1796,6 +1957,7 @@ "DE.Views.LineNumbersDialog.textSection": "Secció actual", "DE.Views.LineNumbersDialog.textStartAt": "Començar a", "DE.Views.LineNumbersDialog.textTitle": "Números de Línies", + "DE.Views.LineNumbersDialog.txtAutoText": "Automàtic", "DE.Views.Links.capBtnBookmarks": "Marcador", "DE.Views.Links.capBtnCaption": "Subtítol", "DE.Views.Links.capBtnContentsUpdate": "Actualitzar", @@ -1803,9 +1965,11 @@ "DE.Views.Links.capBtnInsContents": "Taula de continguts", "DE.Views.Links.capBtnInsFootnote": "Nota a peu de pàgina", "DE.Views.Links.capBtnInsLink": "Hiperenllaç", + "DE.Views.Links.capBtnTOF": "Taula de figures", "DE.Views.Links.confirmDeleteFootnotes": "Voleu suprimir totes les notes al peu de pàgina?", + "DE.Views.Links.confirmReplaceTOF": "Voleu substituir la taula de figures seleccionada?", "DE.Views.Links.mniConvertNote": "Converteix Totes les Notes", - "DE.Views.Links.mniDelFootnote": "Suprimeix totes les notes al peu de pàgina", + "DE.Views.Links.mniDelFootnote": "Suprimeix Totes les Notes", "DE.Views.Links.mniInsEndnote": "Inseriu Nota Final", "DE.Views.Links.mniInsFootnote": "Inserir Nota Peu Pàgina", "DE.Views.Links.mniNoteSettings": "Ajust de les notes a peu de pàgina", @@ -1825,6 +1989,9 @@ "DE.Views.Links.tipCrossRef": "Inseriu referència creuada", "DE.Views.Links.tipInsertHyperlink": "Afegir enllaç", "DE.Views.Links.tipNotes": "Inseriu o editeu notes a la pàgina de pàgina", + "DE.Views.Links.tipTableFigures": "Insereix taula de figures", + "DE.Views.Links.tipTableFiguresUpdate": "Actualitza la taula de figures", + "DE.Views.Links.titleUpdateTOF": "Actualitza la taula de figures", "DE.Views.ListSettingsDialog.textAuto": "Automàtic", "DE.Views.ListSettingsDialog.textCenter": "Centre", "DE.Views.ListSettingsDialog.textLeft": "Esquerra", @@ -1883,7 +2050,7 @@ "DE.Views.MailMergeSettings.textSendMsg": "Tots els missatges de correu electrònic estan preparats i seran enviats properament.
La velocitat de la publicació depèn del servei de correu.
Podeu continuar treballant amb el document o tancar-lo. Un cop finalitzada l’operació, la notificació s’enviarà a la vostra adreça de correu electrònic de registre.", "DE.Views.MailMergeSettings.textTo": "Per a", "DE.Views.MailMergeSettings.txtFirst": "Al Primer Camp", - "DE.Views.MailMergeSettings.txtFromToError": "El valor \"de\" ha de ser inferior al valor \"a\"", + "DE.Views.MailMergeSettings.txtFromToError": "El valor «De» ha de ser més petit que el valor «Fins»", "DE.Views.MailMergeSettings.txtLast": "A l'Últim camp", "DE.Views.MailMergeSettings.txtNext": "Al camp següent", "DE.Views.MailMergeSettings.txtPrev": "Al registre anterior", @@ -1904,6 +2071,7 @@ "DE.Views.NoteSettingsDialog.textApplyTo": "Aplicar els canvis a", "DE.Views.NoteSettingsDialog.textContinue": "Contínua", "DE.Views.NoteSettingsDialog.textCustom": "Personalitzar Marca", + "DE.Views.NoteSettingsDialog.textDocEnd": "Final del document", "DE.Views.NoteSettingsDialog.textDocument": "Tot el document", "DE.Views.NoteSettingsDialog.textEachPage": "Reinicieu cada pàgina", "DE.Views.NoteSettingsDialog.textEachSection": "Reinicieu cada secció", @@ -1947,6 +2115,10 @@ "DE.Views.PageSizeDialog.textTitle": "Mida de Pàgina", "DE.Views.PageSizeDialog.textWidth": "Amplada", "DE.Views.PageSizeDialog.txtCustom": "Personalitzat", + "DE.Views.ParagraphSettings.strIndent": "Sagnats", + "DE.Views.ParagraphSettings.strIndentsLeftText": "Esquerra", + "DE.Views.ParagraphSettings.strIndentsRightText": "Dreta", + "DE.Views.ParagraphSettings.strIndentsSpecial": "Especial", "DE.Views.ParagraphSettings.strLineHeight": "Espai entre Línies", "DE.Views.ParagraphSettings.strParagraphSpacing": "Espaiat de Paràgraf", "DE.Views.ParagraphSettings.strSomeParagraphSpace": "No afegiu interval entre paràgrafs del mateix estil", @@ -1958,6 +2130,9 @@ "DE.Views.ParagraphSettings.textAuto": "multiplicador", "DE.Views.ParagraphSettings.textBackColor": "Color de Fons", "DE.Views.ParagraphSettings.textExact": "Exacte", + "DE.Views.ParagraphSettings.textFirstLine": "Primera línia", + "DE.Views.ParagraphSettings.textHanging": "Penjat", + "DE.Views.ParagraphSettings.textNoneSpecial": "(cap)", "DE.Views.ParagraphSettings.txtAutoText": "Auto", "DE.Views.ParagraphSettingsAdvanced.noTabs": "Les pestanyes especificades apareixeran en aquest camp", "DE.Views.ParagraphSettingsAdvanced.strAllCaps": "Majúscules ", @@ -2033,6 +2208,7 @@ "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sense vores", "DE.Views.RightMenu.txtChartSettings": "Gràfic Configuració", + "DE.Views.RightMenu.txtFormSettings": "Paràmetres del formulari", "DE.Views.RightMenu.txtHeaderFooterSettings": "Configuració de la capçalera i el peu de pàgina", "DE.Views.RightMenu.txtImageSettings": "Configuració Imatge", "DE.Views.RightMenu.txtMailMergeSettings": "Ajusts de fusió", @@ -2049,7 +2225,7 @@ "DE.Views.ShapeSettings.strPattern": "Patró", "DE.Views.ShapeSettings.strShadow": "Mostra ombra", "DE.Views.ShapeSettings.strSize": "Mida", - "DE.Views.ShapeSettings.strStroke": "Traça", + "DE.Views.ShapeSettings.strStroke": "Línia", "DE.Views.ShapeSettings.strTransparency": "Opacitat", "DE.Views.ShapeSettings.strType": "Tipus", "DE.Views.ShapeSettings.textAdvanced": "Mostra la configuració avançada", @@ -2116,6 +2292,7 @@ "DE.Views.SignatureSettings.strValid": "Signatures vàlides", "DE.Views.SignatureSettings.txtContinueEditing": "Edita de totes maneres", "DE.Views.SignatureSettings.txtEditWarning": "L’edició eliminarà les signatures del document.
Esteu segur que voleu continuar?", + "DE.Views.SignatureSettings.txtRemoveWarning": "Voleu eliminar aquesta signatura?
Això no es podrà desfer.", "DE.Views.SignatureSettings.txtRequestedSignatures": "Aquest document s'ha de signar.", "DE.Views.SignatureSettings.txtSigned": "S'han afegit signatures vàlides al document. El document està protegit de l'edició.", "DE.Views.SignatureSettings.txtSignedInvalid": "Algunes de les signatures digitals del document no són vàlides o no s’han pogut verificar. El document està protegit de l'edició.", @@ -2140,20 +2317,32 @@ "DE.Views.TableFormulaDialog.textInsertFunction": "Funció Pegar", "DE.Views.TableFormulaDialog.textTitle": "Configuració de Fórmula", "DE.Views.TableOfContentsSettings.strAlign": "Alineeu a la dreta els números de pàgina", + "DE.Views.TableOfContentsSettings.strFullCaption": "Inclou l'etiqueta i el número", "DE.Views.TableOfContentsSettings.strLinks": "Format de la taula de continguts com a enllaços", + "DE.Views.TableOfContentsSettings.strLinksOF": "Formatar la taula de figures com a enllaços", "DE.Views.TableOfContentsSettings.strShowPages": "Mostra els números de la pàgina", "DE.Views.TableOfContentsSettings.textBuildTable": "Crea la taula de continguts a partir de", + "DE.Views.TableOfContentsSettings.textBuildTableOF": "Construir una taula de figures a partir de", + "DE.Views.TableOfContentsSettings.textEquation": "Equació", + "DE.Views.TableOfContentsSettings.textFigure": "Figura", "DE.Views.TableOfContentsSettings.textLeader": "Director", "DE.Views.TableOfContentsSettings.textLevel": "Nivell", "DE.Views.TableOfContentsSettings.textLevels": "Nivells", "DE.Views.TableOfContentsSettings.textNone": "Cap", + "DE.Views.TableOfContentsSettings.textRadioCaption": "Llegenda", "DE.Views.TableOfContentsSettings.textRadioLevels": "Nivells de perfil", + "DE.Views.TableOfContentsSettings.textRadioStyle": "Estil", "DE.Views.TableOfContentsSettings.textRadioStyles": "Seleccionar estils", "DE.Views.TableOfContentsSettings.textStyle": "Estil", "DE.Views.TableOfContentsSettings.textStyles": "Estils", + "DE.Views.TableOfContentsSettings.textTable": "Taula", "DE.Views.TableOfContentsSettings.textTitle": "Taula de continguts", + "DE.Views.TableOfContentsSettings.textTitleTOF": "Taula de figures", + "DE.Views.TableOfContentsSettings.txtCentered": "Centrat", "DE.Views.TableOfContentsSettings.txtClassic": "Clàssic", "DE.Views.TableOfContentsSettings.txtCurrent": "Actual", + "DE.Views.TableOfContentsSettings.txtDistinctive": "Distintiu", + "DE.Views.TableOfContentsSettings.txtFormal": "Formal", "DE.Views.TableOfContentsSettings.txtModern": "Moderna", "DE.Views.TableOfContentsSettings.txtOnline": "En línia", "DE.Views.TableOfContentsSettings.txtSimple": "Simple", @@ -2181,6 +2370,7 @@ "DE.Views.TableSettings.textBorders": "Estil de la Vora", "DE.Views.TableSettings.textCellSize": "Mida de Files i Columnes", "DE.Views.TableSettings.textColumns": "Columnes", + "DE.Views.TableSettings.textConvert": "Converteix la taula a text", "DE.Views.TableSettings.textDistributeCols": "Distribuïu les columnes", "DE.Views.TableSettings.textDistributeRows": "Distribuïu les files", "DE.Views.TableSettings.textEdit": "Files i Columnes", @@ -2285,10 +2475,18 @@ "DE.Views.TableSettingsAdvanced.txtNoBorders": "Sense vores", "DE.Views.TableSettingsAdvanced.txtPercent": "Percentatge", "DE.Views.TableSettingsAdvanced.txtPt": "Punt", + "DE.Views.TableToTextDialog.textEmpty": "Heu d'introduir un caràcter per al separador personalitzat.", + "DE.Views.TableToTextDialog.textNested": "Converteix les taules niuades", + "DE.Views.TableToTextDialog.textOther": "Altre", + "DE.Views.TableToTextDialog.textPara": "Marques de paràgraf", + "DE.Views.TableToTextDialog.textSemicolon": "Punts i coma", + "DE.Views.TableToTextDialog.textSeparator": "Separar el text amb", + "DE.Views.TableToTextDialog.textTab": "Pestanyes", + "DE.Views.TableToTextDialog.textTitle": "Converteix la taula a text", "DE.Views.TextArtSettings.strColor": "Color", "DE.Views.TextArtSettings.strFill": "Omplir", "DE.Views.TextArtSettings.strSize": "Mida", - "DE.Views.TextArtSettings.strStroke": "Traça", + "DE.Views.TextArtSettings.strStroke": "Línia", "DE.Views.TextArtSettings.strTransparency": "Opacitat", "DE.Views.TextArtSettings.strType": "Tipus", "DE.Views.TextArtSettings.textAngle": "Angle", @@ -2308,6 +2506,21 @@ "DE.Views.TextArtSettings.tipAddGradientPoint": "Afegir punt de degradat", "DE.Views.TextArtSettings.tipRemoveGradientPoint": "Elimina el punt de degradat", "DE.Views.TextArtSettings.txtNoBorders": "Sense Línia", + "DE.Views.TextToTableDialog.textAutofit": "Ajustament automàtic", + "DE.Views.TextToTableDialog.textColumns": "Columnes", + "DE.Views.TextToTableDialog.textContents": "Ajustar automàticament al contingut", + "DE.Views.TextToTableDialog.textEmpty": "Heu d'introduir un caràcter per al separador personalitzat.", + "DE.Views.TextToTableDialog.textFixed": "Amplada de columna fixa", + "DE.Views.TextToTableDialog.textOther": "Altre", + "DE.Views.TextToTableDialog.textPara": "Paràgrafs", + "DE.Views.TextToTableDialog.textRows": "Files", + "DE.Views.TextToTableDialog.textSemicolon": "Punts i coma", + "DE.Views.TextToTableDialog.textSeparator": "Separar el text a", + "DE.Views.TextToTableDialog.textTab": "Pestanyes", + "DE.Views.TextToTableDialog.textTableSize": "Mida de la taula", + "DE.Views.TextToTableDialog.textTitle": "Converteix el text a taula", + "DE.Views.TextToTableDialog.textWindow": "\nAjustar automàticament a la finestra", + "DE.Views.TextToTableDialog.txtAutoText": "Automàtic", "DE.Views.Toolbar.capBtnAddComment": "Afegir Comentari", "DE.Views.Toolbar.capBtnBlankPage": "Pàgina en Blanc", "DE.Views.Toolbar.capBtnColumns": "Columnes", @@ -2335,6 +2548,7 @@ "DE.Views.Toolbar.capImgForward": "Portar Endavant", "DE.Views.Toolbar.capImgGroup": "Agrupar", "DE.Views.Toolbar.capImgWrapping": "Ajustant", + "DE.Views.Toolbar.mniCapitalizeWords": "Posar en majúscules cada paraula", "DE.Views.Toolbar.mniCustomTable": "Inserir Taula Personalitzada", "DE.Views.Toolbar.mniDrawTable": "Taula de dibuix", "DE.Views.Toolbar.mniEditControls": "Configuració de control", @@ -2348,10 +2562,16 @@ "DE.Views.Toolbar.mniImageFromFile": "Imatge d'un Fitxer", "DE.Views.Toolbar.mniImageFromStorage": "Imatge d'un Magatzem", "DE.Views.Toolbar.mniImageFromUrl": "Imatge d'un Enllaç", + "DE.Views.Toolbar.mniLowerCase": "minúscules", + "DE.Views.Toolbar.mniSentenceCase": "Cas de frase", + "DE.Views.Toolbar.mniTextToTable": "Converteix el text a taula", + "DE.Views.Toolbar.mniToggleCase": "iNVERTIR mAJÚSCULES", + "DE.Views.Toolbar.mniUpperCase": "MAJÚSCULES", "DE.Views.Toolbar.strMenuNoFill": "Sense Omplir", "DE.Views.Toolbar.textAutoColor": "Automàtic", "DE.Views.Toolbar.textBold": "Negreta", "DE.Views.Toolbar.textBottom": "Inferior:", + "DE.Views.Toolbar.textChangeLevel": "Canvia el nivell de llista", "DE.Views.Toolbar.textCheckboxControl": "Casella de Selecció", "DE.Views.Toolbar.textColumnsCustom": "Personalitzar Columnes", "DE.Views.Toolbar.textColumnsLeft": "Esquerra", @@ -2428,6 +2648,7 @@ "DE.Views.Toolbar.tipAlignRight": "Alinear dreta", "DE.Views.Toolbar.tipBack": "Enrere", "DE.Views.Toolbar.tipBlankPage": "Inseriu pàgina en blanc", + "DE.Views.Toolbar.tipChangeCase": "Canvia el cas", "DE.Views.Toolbar.tipChangeChart": "Canviar el tipus de gràfic", "DE.Views.Toolbar.tipClearStyle": "Esborrar estil", "DE.Views.Toolbar.tipColorSchemas": "Canviar el esquema de color", diff --git a/apps/documenteditor/main/locale/de.json b/apps/documenteditor/main/locale/de.json index a06f48db1..01a349e4e 100644 --- a/apps/documenteditor/main/locale/de.json +++ b/apps/documenteditor/main/locale/de.json @@ -846,7 +846,7 @@ "DE.Controllers.Main.uploadDocSizeMessage": "Maximale Dokumentgröße ist überschritten.", "DE.Controllers.Main.uploadImageExtMessage": "Unbekanntes Bildformat.", "DE.Controllers.Main.uploadImageFileCountMessage": "Kein Bild wird hochgeladen.", - "DE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße ist überschritten.", + "DE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten.", "DE.Controllers.Main.uploadImageTextText": "Das Bild wird hochgeladen...", "DE.Controllers.Main.uploadImageTitleText": "Bild wird hochgeladen", "DE.Controllers.Main.waitText": "Bitte warten...", @@ -2162,7 +2162,7 @@ "DE.Views.ParagraphSettingsAdvanced.strSubscript": "Tiefgestellt", "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Hochgestellt", "DE.Views.ParagraphSettingsAdvanced.strSuppressLineNumbers": "Zeilennummerierung verbieten", - "DE.Views.ParagraphSettingsAdvanced.strTabs": "Tabulator", + "DE.Views.ParagraphSettingsAdvanced.strTabs": "Tabulatoren", "DE.Views.ParagraphSettingsAdvanced.textAlign": "Ausrichtung", "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Mindestens", "DE.Views.ParagraphSettingsAdvanced.textAuto": "Mehrfach", @@ -2481,7 +2481,7 @@ "DE.Views.TableToTextDialog.textPara": "Absatzmarken", "DE.Views.TableToTextDialog.textSemicolon": "Semikolons", "DE.Views.TableToTextDialog.textSeparator": "Text trennen durch:", - "DE.Views.TableToTextDialog.textTab": "Registerkarten", + "DE.Views.TableToTextDialog.textTab": "Tabulatoren", "DE.Views.TableToTextDialog.textTitle": "Tabelle in Text umwandeln", "DE.Views.TextArtSettings.strColor": "Farbe", "DE.Views.TextArtSettings.strFill": "Füllung", @@ -2516,7 +2516,7 @@ "DE.Views.TextToTableDialog.textRows": "Zeilen", "DE.Views.TextToTableDialog.textSemicolon": "Semikolons", "DE.Views.TextToTableDialog.textSeparator": "Text trennen bei:", - "DE.Views.TextToTableDialog.textTab": "Registerkarten", + "DE.Views.TextToTableDialog.textTab": "Tabulatoren", "DE.Views.TextToTableDialog.textTableSize": "Größe der Tabelle", "DE.Views.TextToTableDialog.textTitle": "Text in Tabelle umwandeln", "DE.Views.TextToTableDialog.textWindow": "Größe an Fenster anpassen", diff --git a/apps/documenteditor/main/locale/en.json b/apps/documenteditor/main/locale/en.json index 9aa7528bf..9c33f4a6b 100644 --- a/apps/documenteditor/main/locale/en.json +++ b/apps/documenteditor/main/locale/en.json @@ -35,7 +35,7 @@ "Common.Controllers.ReviewChanges.textIndentRight": "Indent right", "Common.Controllers.ReviewChanges.textInserted": "Inserted:", "Common.Controllers.ReviewChanges.textItalic": "Italic", - "Common.Controllers.ReviewChanges.textJustify": "Align justify", + "Common.Controllers.ReviewChanges.textJustify": "Align justified", "Common.Controllers.ReviewChanges.textKeepLines": "Keep lines together", "Common.Controllers.ReviewChanges.textKeepNext": "Keep with next", "Common.Controllers.ReviewChanges.textLeft": "Align left", @@ -846,7 +846,7 @@ "DE.Controllers.Main.uploadDocSizeMessage": "Maximum document size limit exceeded.", "DE.Controllers.Main.uploadImageExtMessage": "Unknown image format.", "DE.Controllers.Main.uploadImageFileCountMessage": "No images uploaded.", - "DE.Controllers.Main.uploadImageSizeMessage": "Maximum image size limit exceeded.", + "DE.Controllers.Main.uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", "DE.Controllers.Main.uploadImageTextText": "Uploading image...", "DE.Controllers.Main.uploadImageTitleText": "Uploading Image", "DE.Controllers.Main.waitText": "Please, wait...", @@ -1737,6 +1737,9 @@ "DE.Views.FileMenuPanels.Settings.txtWarnMacros": "Show Notification", "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Disable all macros with a notification", "DE.Views.FileMenuPanels.Settings.txtWin": "as Windows", + "DE.Views.FormSettings.textAlways": "Always", + "DE.Views.FormSettings.textAspect": "Lock aspect ratio", + "DE.Views.FormSettings.textAutofit": "AutoFit", "DE.Views.FormSettings.textCheckbox": "Checkbox", "DE.Views.FormSettings.textColor": "Border color", "DE.Views.FormSettings.textComb": "Comb of characters", @@ -1755,27 +1758,24 @@ "DE.Views.FormSettings.textKey": "Key", "DE.Views.FormSettings.textLock": "Lock", "DE.Views.FormSettings.textMaxChars": "Characters limit", + "DE.Views.FormSettings.textMulti": "Multiline field", + "DE.Views.FormSettings.textNever": "Never", "DE.Views.FormSettings.textNoBorder": "No border", "DE.Views.FormSettings.textPlaceholder": "Placeholder", "DE.Views.FormSettings.textRadiobox": "Radio Button", "DE.Views.FormSettings.textRequired": "Required", + "DE.Views.FormSettings.textScale": "When to scale", "DE.Views.FormSettings.textSelectImage": "Select Image", "DE.Views.FormSettings.textTip": "Tip", "DE.Views.FormSettings.textTipAdd": "Add new value", "DE.Views.FormSettings.textTipDelete": "Delete value", "DE.Views.FormSettings.textTipDown": "Move down", "DE.Views.FormSettings.textTipUp": "Move up", + "DE.Views.FormSettings.textTooBig": "Image is Too Big", + "DE.Views.FormSettings.textTooSmall": "Image is Too Small", "DE.Views.FormSettings.textUnlock": "Unlock", "DE.Views.FormSettings.textValue": "Value Options", "DE.Views.FormSettings.textWidth": "Cell width", - "DE.Views.FormSettings.textAutofit": "AutoFit", - "DE.Views.FormSettings.textMulti": "Multiline field", - "DE.Views.FormSettings.textAspect": "Lock aspect ratio", - "DE.Views.FormSettings.textAlways": "Always", - "DE.Views.FormSettings.textNever": "Never", - "DE.Views.FormSettings.textTooBig": "Image is Too Big", - "DE.Views.FormSettings.textTooSmall": "Image is Too Small", - "DE.Views.FormSettings.textScale": "When to scale", "DE.Views.FormsTab.capBtnCheckBox": "Checkbox", "DE.Views.FormsTab.capBtnComboBox": "Combo Box", "DE.Views.FormsTab.capBtnDropDown": "Dropdown", diff --git a/apps/documenteditor/main/locale/es.json b/apps/documenteditor/main/locale/es.json index bb2a4e06d..a81763380 100644 --- a/apps/documenteditor/main/locale/es.json +++ b/apps/documenteditor/main/locale/es.json @@ -35,7 +35,7 @@ "Common.Controllers.ReviewChanges.textIndentRight": "Sangría derecha", "Common.Controllers.ReviewChanges.textInserted": "Insertado:", "Common.Controllers.ReviewChanges.textItalic": "Cursiva", - "Common.Controllers.ReviewChanges.textJustify": "Alinear justificar", + "Common.Controllers.ReviewChanges.textJustify": "Alinear justificado", "Common.Controllers.ReviewChanges.textKeepLines": "Mantener líneas juntas", "Common.Controllers.ReviewChanges.textKeepNext": "Conservar con el siguiente", "Common.Controllers.ReviewChanges.textLeft": "Alinear a la izquierda", @@ -846,7 +846,7 @@ "DE.Controllers.Main.uploadDocSizeMessage": "Límite de tamaño máximo del documento excedido.", "DE.Controllers.Main.uploadImageExtMessage": "Formato de imagen desconocido.", "DE.Controllers.Main.uploadImageFileCountMessage": "Ningunas imágenes cargadas.", - "DE.Controllers.Main.uploadImageSizeMessage": "Tamaño máximo de imagen está superado.", + "DE.Controllers.Main.uploadImageSizeMessage": "La imagen es demasiado grande. El tamaño máximo es de 25 MB.", "DE.Controllers.Main.uploadImageTextText": "Subiendo imagen...", "DE.Controllers.Main.uploadImageTitleText": "Subiendo imagen", "DE.Controllers.Main.waitText": "Por favor, espere...", diff --git a/apps/documenteditor/main/locale/it.json b/apps/documenteditor/main/locale/it.json index 6c3dc540d..b4954edd4 100644 --- a/apps/documenteditor/main/locale/it.json +++ b/apps/documenteditor/main/locale/it.json @@ -35,7 +35,7 @@ "Common.Controllers.ReviewChanges.textIndentRight": "Rientro a destra", "Common.Controllers.ReviewChanges.textInserted": "Inserito:", "Common.Controllers.ReviewChanges.textItalic": "Corsivo", - "Common.Controllers.ReviewChanges.textJustify": "Giustificato", + "Common.Controllers.ReviewChanges.textJustify": "Allineamento giustificato", "Common.Controllers.ReviewChanges.textKeepLines": "Mantieni assieme le righe", "Common.Controllers.ReviewChanges.textKeepNext": "Mantieni con il successivo", "Common.Controllers.ReviewChanges.textLeft": "Allinea a sinistra", @@ -211,6 +211,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Elenchi puntati automatici", "Common.Views.AutoCorrectDialog.textBy": "Di", "Common.Views.AutoCorrectDialog.textDelete": "Elimina", + "Common.Views.AutoCorrectDialog.textFLSentence": "Rendere maiuscola la prima lettera di frasi", "Common.Views.AutoCorrectDialog.textHyphens": "‎Trattini (--) con trattino (-)‎", "Common.Views.AutoCorrectDialog.textMathCorrect": "Correzione automatica matematica", "Common.Views.AutoCorrectDialog.textNumbered": "Elenchi numerati automatici", @@ -347,6 +348,8 @@ "Common.Views.ReviewChanges.tipCoAuthMode": "Imposta modalità co-editing", "Common.Views.ReviewChanges.tipCommentRem": "Rimuovi i commenti", "Common.Views.ReviewChanges.tipCommentRemCurrent": "Rimuovi i commenti correnti", + "Common.Views.ReviewChanges.tipCommentResolve": "Risolvere i commenti", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Risolvere i commenti presenti", "Common.Views.ReviewChanges.tipCompare": "Confronta il documento corrente con un altro", "Common.Views.ReviewChanges.tipHistory": "Mostra Cronologia versioni", "Common.Views.ReviewChanges.tipRejectCurrent": "Annulla la modifica attuale", @@ -367,6 +370,11 @@ "Common.Views.ReviewChanges.txtCommentRemMy": "Rimuovi i miei commenti", "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Rimuovi i miei commenti attuali", "Common.Views.ReviewChanges.txtCommentRemove": "Elimina", + "Common.Views.ReviewChanges.txtCommentResolve": "Risolvere", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Risolvere tutti i commenti", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Risolvere i commenti presenti", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Risolvere i miei commenti", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "‎Risolvere i miei commenti presenti", "Common.Views.ReviewChanges.txtCompare": "Confronta", "Common.Views.ReviewChanges.txtDocLang": "Lingua", "Common.Views.ReviewChanges.txtFinal": "Tutti le modifiche accettate (anteprima)", @@ -583,6 +591,7 @@ "DE.Controllers.Main.textShape": "Forma", "DE.Controllers.Main.textStrict": "Modalità Rigorosa", "DE.Controllers.Main.textTryUndoRedo": "Le funzioni Annulla/Ripristina sono disabilitate per la Modalità di Co-editing Veloce.
Clicca il pulsante 'Modalità Rigorosa' per passare alla Modalità di Co-editing Rigorosa per poter modificare il file senza l'interferenza di altri utenti e inviare le modifiche solamente dopo averle salvate. Puoi passare da una modalità all'altra di co-editing utilizzando le Impostazioni avanzate dell'editor.", + "DE.Controllers.Main.textTryUndoRedoWarn": "Le funzioni Annulla/Ripeti sono disattivate nella modalità rapida in modifica collaborativa.", "DE.Controllers.Main.titleLicenseExp": "La licenza è scaduta", "DE.Controllers.Main.titleServerVersion": "L'editor è stato aggiornato", "DE.Controllers.Main.titleUpdateVersion": "Versione Modificata", @@ -616,6 +625,7 @@ "DE.Controllers.Main.txtMissArg": "Argomento mancante", "DE.Controllers.Main.txtMissOperator": "Operatore mancante", "DE.Controllers.Main.txtNeedSynchronize": "Ci sono aggiornamenti disponibili", + "DE.Controllers.Main.txtNone": "Niente", "DE.Controllers.Main.txtNoTableOfContents": "Non ci sono titoli nel documento. Applicare uno stile di titolo al testo in modo che appaia nel sommario.", "DE.Controllers.Main.txtNoTableOfFigures": "Nessuna voce della tabella delle cifre trovata.", "DE.Controllers.Main.txtNoText": "Errore! Nessuno stile specificato per il testo nel documento.", @@ -836,7 +846,7 @@ "DE.Controllers.Main.uploadDocSizeMessage": "Il limite massimo delle dimensioni del documento è stato superato.", "DE.Controllers.Main.uploadImageExtMessage": "Formato immagine sconosciuto.", "DE.Controllers.Main.uploadImageFileCountMessage": "Nessuna immagine caricata.", - "DE.Controllers.Main.uploadImageSizeMessage": "È stata superata la dimensione massima dell'immagine.", + "DE.Controllers.Main.uploadImageSizeMessage": "L'immagine è troppo grande. La dimensione massima è 25 MB.", "DE.Controllers.Main.uploadImageTextText": "Caricamento immagine in corso...", "DE.Controllers.Main.uploadImageTitleText": "Caricamento dell'immagine", "DE.Controllers.Main.waitText": "Per favore, attendi...", @@ -1679,7 +1689,7 @@ "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Dovrai accettare i cambiamenti prima di poterli visualizzare.", "DE.Views.FileMenuPanels.Settings.strFast": "Rapido", "DE.Views.FileMenuPanels.Settings.strFontRender": "Suggerimento per i caratteri", - "DE.Views.FileMenuPanels.Settings.strForcesave": "Salva sempre sul server (altrimenti salva sul server alla chiusura del documento)", + "DE.Views.FileMenuPanels.Settings.strForcesave": "‎Aggiungere la versione all'archivio dopo aver fatto clic su Salva o CTRL+S‎", "DE.Views.FileMenuPanels.Settings.strInputMode": "Attiva geroglifici", "DE.Views.FileMenuPanels.Settings.strLiveComment": "Attivare visualizzazione dei commenti", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Impostazioni macro", @@ -1701,7 +1711,7 @@ "DE.Views.FileMenuPanels.Settings.textAutoSave": "Salvataggio automatico", "DE.Views.FileMenuPanels.Settings.textCompatible": "Compatibilità", "DE.Views.FileMenuPanels.Settings.textDisabled": "Disattivato", - "DE.Views.FileMenuPanels.Settings.textForceSave": "Salva sul server", + "DE.Views.FileMenuPanels.Settings.textForceSave": "Salvare versioni intermedie", "DE.Views.FileMenuPanels.Settings.textMinute": "Ogni minuto", "DE.Views.FileMenuPanels.Settings.textOldVersions": "Rendi i file compatibili con le versioni precedenti di MS Word quando vengono salvati come DOCX", "DE.Views.FileMenuPanels.Settings.txtAll": "Tutte", @@ -1736,6 +1746,7 @@ "DE.Views.FormSettings.textDisconnect": "Disconnetti", "DE.Views.FormSettings.textDropDown": "Menù a discesca", "DE.Views.FormSettings.textField": "‎Campo di testo‎", + "DE.Views.FormSettings.textFixed": "Dimensione di campo fissa", "DE.Views.FormSettings.textFromFile": "Da file", "DE.Views.FormSettings.textFromStorage": "Da spazio di archiviazione", "DE.Views.FormSettings.textFromUrl": "Da URL", @@ -1747,6 +1758,7 @@ "DE.Views.FormSettings.textNoBorder": "Senza bordo", "DE.Views.FormSettings.textPlaceholder": "Segnaposto", "DE.Views.FormSettings.textRadiobox": "Pulsante opzione", + "DE.Views.FormSettings.textRequired": "Richiesto", "DE.Views.FormSettings.textSelectImage": "Seleziona Immagine", "DE.Views.FormSettings.textTip": "Suggerimento", "DE.Views.FormSettings.textTipAdd": "Aggiungi un nuovo valore", @@ -2358,6 +2370,7 @@ "DE.Views.TableSettings.textBorders": "Stile bordo", "DE.Views.TableSettings.textCellSize": "Dimensioni di righe e colonne", "DE.Views.TableSettings.textColumns": "Colonne", + "DE.Views.TableSettings.textConvert": "Convertire tabella in testo", "DE.Views.TableSettings.textDistributeCols": "Distribuisci colonne", "DE.Views.TableSettings.textDistributeRows": "Distribuisci righe", "DE.Views.TableSettings.textEdit": "Righe e colonne", @@ -2462,6 +2475,14 @@ "DE.Views.TableSettingsAdvanced.txtNoBorders": "Nessun bordo", "DE.Views.TableSettingsAdvanced.txtPercent": "Percento", "DE.Views.TableSettingsAdvanced.txtPt": "Punto", + "DE.Views.TableToTextDialog.textEmpty": "‎È necessario digitare un carattere per il separatore personalizzato.‎", + "DE.Views.TableToTextDialog.textNested": "Convertire le tabelle nidificate", + "DE.Views.TableToTextDialog.textOther": "Altro", + "DE.Views.TableToTextDialog.textPara": "Segni di paragrafo", + "DE.Views.TableToTextDialog.textSemicolon": "Virgole", + "DE.Views.TableToTextDialog.textSeparator": "Separare il testo con", + "DE.Views.TableToTextDialog.textTab": "Schede", + "DE.Views.TableToTextDialog.textTitle": "Convertire tabella in testo", "DE.Views.TextArtSettings.strColor": "Colore", "DE.Views.TextArtSettings.strFill": "Riempimento", "DE.Views.TextArtSettings.strSize": "Dimensione", @@ -2485,7 +2506,20 @@ "DE.Views.TextArtSettings.tipAddGradientPoint": "‎Aggiungi punto di sfumatura‎", "DE.Views.TextArtSettings.tipRemoveGradientPoint": "Rimuovi punto sfumatura", "DE.Views.TextArtSettings.txtNoBorders": "Nessuna linea", + "DE.Views.TextToTableDialog.textAutofit": "Modo di autofit", "DE.Views.TextToTableDialog.textColumns": "Colonne", + "DE.Views.TextToTableDialog.textContents": "Autofit ai contenuti", + "DE.Views.TextToTableDialog.textEmpty": "‎È necessario digitare un carattere per il separatore personalizzato.‎", + "DE.Views.TextToTableDialog.textFixed": "Larghezza di colonna fissa", + "DE.Views.TextToTableDialog.textOther": "Altro", + "DE.Views.TextToTableDialog.textPara": "Paragrafi", + "DE.Views.TextToTableDialog.textRows": "Righe", + "DE.Views.TextToTableDialog.textSemicolon": "Virgole", + "DE.Views.TextToTableDialog.textSeparator": "Separare il testo in", + "DE.Views.TextToTableDialog.textTab": "Schede", + "DE.Views.TextToTableDialog.textTableSize": "Dimensione di tabella", + "DE.Views.TextToTableDialog.textTitle": "Convertire testo in tabella", + "DE.Views.TextToTableDialog.textWindow": "Autofit alla finestra", "DE.Views.TextToTableDialog.txtAutoText": "Automatico", "DE.Views.Toolbar.capBtnAddComment": "Aggiungi commento", "DE.Views.Toolbar.capBtnBlankPage": "Pagina Vuota", @@ -2530,6 +2564,7 @@ "DE.Views.Toolbar.mniImageFromUrl": "Immagine da URL", "DE.Views.Toolbar.mniLowerCase": "minuscolo", "DE.Views.Toolbar.mniSentenceCase": "Sentenza della frase", + "DE.Views.Toolbar.mniTextToTable": "Convertire testo in tabella", "DE.Views.Toolbar.mniToggleCase": "mAIUSCOLO mINUSCOLO", "DE.Views.Toolbar.mniUpperCase": "MAIUSCOLO", "DE.Views.Toolbar.strMenuNoFill": "Nessun riempimento", diff --git a/apps/documenteditor/main/locale/nl.json b/apps/documenteditor/main/locale/nl.json index a48440332..ff590e77e 100644 --- a/apps/documenteditor/main/locale/nl.json +++ b/apps/documenteditor/main/locale/nl.json @@ -182,6 +182,9 @@ "Common.UI.SynchronizeTip.textSynchronize": "Het document is gewijzigd door een andere gebruiker.
Klik om uw wijzigingen op te slaan en de updates opnieuw te laden.", "Common.UI.ThemeColorPalette.textStandartColors": "Standaardkleuren", "Common.UI.ThemeColorPalette.textThemeColors": "Themakleuren", + "Common.UI.Themes.txtThemeClassicLight": "Klassiek Licht", + "Common.UI.Themes.txtThemeDark": "Donker", + "Common.UI.Themes.txtThemeLight": "Licht", "Common.UI.Window.cancelButtonText": "Annuleren", "Common.UI.Window.closeButtonText": "Sluiten", "Common.UI.Window.noButtonText": "Nee", @@ -203,10 +206,12 @@ "Common.Views.About.txtVersion": "Versie", "Common.Views.AutoCorrectDialog.textAdd": "Toevoegen", "Common.Views.AutoCorrectDialog.textApplyText": "Toepassen terwijl u typt", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Auto Correctie", "Common.Views.AutoCorrectDialog.textAutoFormat": "AutoOpmaak terwijl u typt", "Common.Views.AutoCorrectDialog.textBulleted": "Automatische lijsten met opsommingstekens", "Common.Views.AutoCorrectDialog.textBy": "Door", "Common.Views.AutoCorrectDialog.textDelete": "Verwijderen", + "Common.Views.AutoCorrectDialog.textFLSentence": "Maak de eerste letter van zinnen hoofdletter", "Common.Views.AutoCorrectDialog.textHyphens": "Koppeltekens (--) met streepje (—)", "Common.Views.AutoCorrectDialog.textMathCorrect": "Wiskundige autocorrectie", "Common.Views.AutoCorrectDialog.textNumbered": "Automatische genummerde lijsten", @@ -343,6 +348,8 @@ "Common.Views.ReviewChanges.tipCoAuthMode": "Zet samenwerkings modus", "Common.Views.ReviewChanges.tipCommentRem": "Alle opmerkingen verwijderen", "Common.Views.ReviewChanges.tipCommentRemCurrent": "Verwijder huidige opmerking", + "Common.Views.ReviewChanges.tipCommentResolve": "Oplossen van opmerkingen", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Oplossen van huidige opmerkingen", "Common.Views.ReviewChanges.tipCompare": "Vergelijk huidig document met een ander document.", "Common.Views.ReviewChanges.tipHistory": "Toon versie geschiedenis", "Common.Views.ReviewChanges.tipRejectCurrent": "Huidige wijziging afwijzen", @@ -363,6 +370,11 @@ "Common.Views.ReviewChanges.txtCommentRemMy": "Verwijder al mijn commentaar", "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Verwijder mijn huidige opmerkingen", "Common.Views.ReviewChanges.txtCommentRemove": "Verwijderen", + "Common.Views.ReviewChanges.txtCommentResolve": "Oplossen", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Alle opmerkingen oplossen", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Oplossen van huidige opmerkingen", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Los mijn opmerkingen op", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Mijn huidige opmerkingen oplossen", "Common.Views.ReviewChanges.txtCompare": "Vergelijken", "Common.Views.ReviewChanges.txtDocLang": "Taal", "Common.Views.ReviewChanges.txtFinal": "Alle veranderingen geaccepteerd (Voorbeeld)", @@ -523,6 +535,7 @@ "DE.Controllers.Main.errorUsersExceed": "Het onder het prijsplan toegestane aantal gebruikers is overschreden", "DE.Controllers.Main.errorViewerDisconnect": "Verbinding is verbroken. U kunt het document nog wel bekijken,
maar u kunt het pas downloaden of afdrukken als de verbinding is hersteld en de pagina opnieuw is geladen.", "DE.Controllers.Main.leavePageText": "Dit document bevat niet-opgeslagen wijzigingen. Klik op \"Op deze pagina blijven\" en dan op \"Opslaan\" om uw wijzigingen op te slaan. Klik op \"Pagina verlaten\" om alle niet-opgeslagen wijzigingen te negeren.", + "DE.Controllers.Main.leavePageTextOnClose": "Alle niet opgeslagen wijzigingen in dit document gaan verloren.
Klik op \"Annuleren\" en dan op \"Opslaan\" om ze op te slaan. Klik op \"OK\" om alle niet opgeslagen wijzigingen te verwijderen.", "DE.Controllers.Main.loadFontsTextText": "Gegevens worden geladen...", "DE.Controllers.Main.loadFontsTitleText": "Gegevens worden geladen", "DE.Controllers.Main.loadFontTextText": "Gegevens worden geladen...", @@ -578,6 +591,7 @@ "DE.Controllers.Main.textShape": "Vorm", "DE.Controllers.Main.textStrict": "Strikte modus", "DE.Controllers.Main.textTryUndoRedo": "De functies Ongedaan maken/Opnieuw worden uitgeschakeld in de modus Snel gezamenlijk bewerken.
Klik op de knop 'Strikte modus' om over te schakelen naar de strikte modus voor gezamenlijk bewerken. U kunt het bestand dan zonder interferentie van andere gebruikers bewerken en uw wijzigingen verzenden wanneer u die opslaat. U kunt schakelen tussen de modi voor gezamenlijke bewerking via Geavanceerde instellingen van de editor.", + "DE.Controllers.Main.textTryUndoRedoWarn": "De functies Ongedaan maken/Annuleren zijn uitgeschakeld in de modus Snel meewerken.", "DE.Controllers.Main.titleLicenseExp": "Licentie vervallen", "DE.Controllers.Main.titleServerVersion": "Editor bijgewerkt", "DE.Controllers.Main.titleUpdateVersion": "Versie gewijzigd", @@ -590,6 +604,7 @@ "DE.Controllers.Main.txtCallouts": "Legenda", "DE.Controllers.Main.txtCharts": "Grafieken", "DE.Controllers.Main.txtChoose": "Kies een item", + "DE.Controllers.Main.txtClickToLoad": "Klik om afbeelding te laden", "DE.Controllers.Main.txtCurrentDocument": "Huidig document", "DE.Controllers.Main.txtDiagramTitle": "Grafiektitel", "DE.Controllers.Main.txtEditingMode": "Bewerkmodus instellen...", @@ -610,7 +625,9 @@ "DE.Controllers.Main.txtMissArg": "Missende parameter", "DE.Controllers.Main.txtMissOperator": "Ontbrekende operator", "DE.Controllers.Main.txtNeedSynchronize": "U hebt updates", + "DE.Controllers.Main.txtNone": "Geen", "DE.Controllers.Main.txtNoTableOfContents": "Er zijn geen koppen in het document. Pas een kopstijl toe op de tekst zodat deze in de inhoudsopgave wordt weergegeven.", + "DE.Controllers.Main.txtNoTableOfFigures": "Geen tabel met cijfers gevonden.", "DE.Controllers.Main.txtNoText": "Fout! Geen gespecificeerde tekst in document", "DE.Controllers.Main.txtNotInTable": "Is niet in tabel", "DE.Controllers.Main.txtNotValidBookmark": "Fout! Geen geldige zelf referentie voor bladwijzers.", @@ -793,6 +810,7 @@ "DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Afgeronde rechthoekige Legenda", "DE.Controllers.Main.txtStarsRibbons": "Sterren en linten", "DE.Controllers.Main.txtStyle_Caption": "Onderschrift", + "DE.Controllers.Main.txtStyle_endnote_text": "Eindnoot tekst", "DE.Controllers.Main.txtStyle_footnote_text": "Voetnoot tekst", "DE.Controllers.Main.txtStyle_Heading_1": "Kop 1", "DE.Controllers.Main.txtStyle_Heading_2": "Kop 2", @@ -813,6 +831,8 @@ "DE.Controllers.Main.txtSyntaxError": "Syntax error", "DE.Controllers.Main.txtTableInd": "Tabelindex mag niet nul zijn", "DE.Controllers.Main.txtTableOfContents": "Inhoudsopgave", + "DE.Controllers.Main.txtTableOfFigures": "Tabel met cijfers", + "DE.Controllers.Main.txtTOCHeading": "TOC rubriek", "DE.Controllers.Main.txtTooLarge": "te groot getal om te formatteren", "DE.Controllers.Main.txtTypeEquation": "Typ hier een vergelijking.", "DE.Controllers.Main.txtUndefBookmark": "Ongedefinieerde bladwijzer", @@ -855,6 +875,7 @@ "DE.Controllers.Toolbar.textFontSizeErr": "De ingevoerde waarde is onjuist.
Voer een waarde tussen 1 en 300 in", "DE.Controllers.Toolbar.textFraction": "Breuken", "DE.Controllers.Toolbar.textFunction": "Functies", + "DE.Controllers.Toolbar.textGroup": "Groep", "DE.Controllers.Toolbar.textInsert": "Invoegen", "DE.Controllers.Toolbar.textIntegral": "Integralen", "DE.Controllers.Toolbar.textLargeOperator": "Grote operators", @@ -1725,6 +1746,7 @@ "DE.Views.FormSettings.textDisconnect": "Verbinding verbreken", "DE.Views.FormSettings.textDropDown": "Dropdown", "DE.Views.FormSettings.textField": "Tekstvak", + "DE.Views.FormSettings.textFixed": "Veld met vaste afmetingen", "DE.Views.FormSettings.textFromFile": "Van bestand", "DE.Views.FormSettings.textFromStorage": "Van Opslag", "DE.Views.FormSettings.textFromUrl": "Van URL", @@ -1736,6 +1758,7 @@ "DE.Views.FormSettings.textNoBorder": "Geen rand", "DE.Views.FormSettings.textPlaceholder": "Tijdelijke aanduiding", "DE.Views.FormSettings.textRadiobox": "Radial knop", + "DE.Views.FormSettings.textRequired": "Vereist", "DE.Views.FormSettings.textSelectImage": "Selecteer afbeelding", "DE.Views.FormSettings.textTip": "Tip", "DE.Views.FormSettings.textTipAdd": "Voeg nieuwe waarde toe", @@ -1803,6 +1826,7 @@ "DE.Views.HyperlinkSettingsDialog.txtEmpty": "Dit veld is vereist", "DE.Views.HyperlinkSettingsDialog.txtHeadings": "Koppen", "DE.Views.HyperlinkSettingsDialog.txtNotUrl": "Dit veld moet een URL in de notatie \"http://www.voorbeeld.com\" bevatten", + "DE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Dit veld is beperkt tot 2083 tekens", "DE.Views.ImageSettings.textAdvanced": "Geavanceerde instellingen tonen", "DE.Views.ImageSettings.textCrop": "Uitsnijden", "DE.Views.ImageSettings.textCropFill": "Vulling", @@ -2346,6 +2370,7 @@ "DE.Views.TableSettings.textBorders": "Randstijl", "DE.Views.TableSettings.textCellSize": "Rijen & Kolommen grootte", "DE.Views.TableSettings.textColumns": "Kolommen", + "DE.Views.TableSettings.textConvert": "Tabel omzetten naar tekst", "DE.Views.TableSettings.textDistributeCols": "Kolommen verdelen", "DE.Views.TableSettings.textDistributeRows": "Rijen verdelen", "DE.Views.TableSettings.textEdit": "Rijen en kolommen", @@ -2450,6 +2475,14 @@ "DE.Views.TableSettingsAdvanced.txtNoBorders": "Geen randen", "DE.Views.TableSettingsAdvanced.txtPercent": "Procent", "DE.Views.TableSettingsAdvanced.txtPt": "Punt", + "DE.Views.TableToTextDialog.textEmpty": "U moet een teken typen voor het aangepaste scheidingsteken.", + "DE.Views.TableToTextDialog.textNested": "Geneste tabellen converteren", + "DE.Views.TableToTextDialog.textOther": "Andere", + "DE.Views.TableToTextDialog.textPara": "Paragraaf tekens", + "DE.Views.TableToTextDialog.textSemicolon": "Puntkomma's", + "DE.Views.TableToTextDialog.textSeparator": "Scheid tekst met", + "DE.Views.TableToTextDialog.textTab": "Table size", + "DE.Views.TableToTextDialog.textTitle": "Tabel omzetten naar tekst", "DE.Views.TextArtSettings.strColor": "Kleur", "DE.Views.TextArtSettings.strFill": "Vulling", "DE.Views.TextArtSettings.strSize": "Grootte", @@ -2473,6 +2506,21 @@ "DE.Views.TextArtSettings.tipAddGradientPoint": "Kleurovergangpunt toevoegen", "DE.Views.TextArtSettings.tipRemoveGradientPoint": "Kleurovergangpunt verwijderen", "DE.Views.TextArtSettings.txtNoBorders": "Geen lijn", + "DE.Views.TextToTableDialog.textAutofit": "Automatisch passend gedrag", + "DE.Views.TextToTableDialog.textColumns": "Kolommen", + "DE.Views.TextToTableDialog.textContents": "Automatisch aanpassen aan de inhoud", + "DE.Views.TextToTableDialog.textEmpty": "U moet een teken typen voor het aangepaste scheidingsteken.", + "DE.Views.TextToTableDialog.textFixed": "Vaste kolombreedte", + "DE.Views.TextToTableDialog.textOther": "Andere", + "DE.Views.TextToTableDialog.textPara": "Paragrafen", + "DE.Views.TextToTableDialog.textRows": "Rijen", + "DE.Views.TextToTableDialog.textSemicolon": "Puntkomma's", + "DE.Views.TextToTableDialog.textSeparator": "Afzonderlijke tekst op", + "DE.Views.TextToTableDialog.textTab": "Tabs", + "DE.Views.TextToTableDialog.textTableSize": "Tabel Grootte", + "DE.Views.TextToTableDialog.textTitle": "Tekst omzetten naar tabel", + "DE.Views.TextToTableDialog.textWindow": "Automatische aanpassing aan het venster", + "DE.Views.TextToTableDialog.txtAutoText": "Auto", "DE.Views.Toolbar.capBtnAddComment": "Opmerking toevoegen", "DE.Views.Toolbar.capBtnBlankPage": "Lege pagina", "DE.Views.Toolbar.capBtnColumns": "Kolommen", @@ -2516,6 +2564,7 @@ "DE.Views.Toolbar.mniImageFromUrl": "Afbeelding van URL", "DE.Views.Toolbar.mniLowerCase": "kleine letters ", "DE.Views.Toolbar.mniSentenceCase": "Zin lettertype", + "DE.Views.Toolbar.mniTextToTable": "Tekst omzetten naar tabel", "DE.Views.Toolbar.mniToggleCase": "Schakel lettertype", "DE.Views.Toolbar.mniUpperCase": "HOOFDLETTERS", "DE.Views.Toolbar.strMenuNoFill": "Geen vulling", @@ -2599,7 +2648,7 @@ "DE.Views.Toolbar.tipAlignRight": "Rechts uitlijnen", "DE.Views.Toolbar.tipBack": "Terug", "DE.Views.Toolbar.tipBlankPage": "Invoegen nieuwe pagina", - "DE.Views.Toolbar.tipChangeCase": "Verander lettertype", + "DE.Views.Toolbar.tipChangeCase": "Verander geval", "DE.Views.Toolbar.tipChangeChart": "Grafiektype wijzigen", "DE.Views.Toolbar.tipClearStyle": "Stijl wissen", "DE.Views.Toolbar.tipColorSchemas": "Kleurenschema wijzigen", diff --git a/apps/documenteditor/main/locale/pt.json b/apps/documenteditor/main/locale/pt.json index 711516688..51870e9bf 100644 --- a/apps/documenteditor/main/locale/pt.json +++ b/apps/documenteditor/main/locale/pt.json @@ -35,7 +35,7 @@ "Common.Controllers.ReviewChanges.textIndentRight": "Indent right", "Common.Controllers.ReviewChanges.textInserted": "Inserted:", "Common.Controllers.ReviewChanges.textItalic": "Italic", - "Common.Controllers.ReviewChanges.textJustify": "Align justify", + "Common.Controllers.ReviewChanges.textJustify": "Alinhamento justificado", "Common.Controllers.ReviewChanges.textKeepLines": "Keep lines together", "Common.Controllers.ReviewChanges.textKeepNext": "Keep with next", "Common.Controllers.ReviewChanges.textLeft": "Align left", @@ -846,7 +846,7 @@ "DE.Controllers.Main.uploadDocSizeMessage": "Tamanho máximo do documento excedido.", "DE.Controllers.Main.uploadImageExtMessage": "Formato de imagem desconhecido.", "DE.Controllers.Main.uploadImageFileCountMessage": "Sem imagens carregadas.", - "DE.Controllers.Main.uploadImageSizeMessage": "Limite máximo do tamanho da imagem excedido.", + "DE.Controllers.Main.uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido. O tamanho máximo é de 25 MB.", "DE.Controllers.Main.uploadImageTextText": "Carregando imagem...", "DE.Controllers.Main.uploadImageTitleText": "Carregando imagem", "DE.Controllers.Main.waitText": "Aguarde...", diff --git a/apps/documenteditor/main/locale/ro.json b/apps/documenteditor/main/locale/ro.json index 895228b08..32db3fe02 100644 --- a/apps/documenteditor/main/locale/ro.json +++ b/apps/documenteditor/main/locale/ro.json @@ -846,7 +846,7 @@ "DE.Controllers.Main.uploadDocSizeMessage": "Dimensiunea documentului depășește limita permisă.", "DE.Controllers.Main.uploadImageExtMessage": "Format de imagine nerecunoscut.", "DE.Controllers.Main.uploadImageFileCountMessage": "Nicio imagine nu a fost încărcată.", - "DE.Controllers.Main.uploadImageSizeMessage": "Dimensiunea imaginii depășește limita maximă.", + "DE.Controllers.Main.uploadImageSizeMessage": "Imaginea este prea mare. Limita de dimensiune este de 25 MB.", "DE.Controllers.Main.uploadImageTextText": "Încărcarea imaginii...", "DE.Controllers.Main.uploadImageTitleText": "Încărcarea imaginii", "DE.Controllers.Main.waitText": "Vă rugăm să așteptați...", @@ -1737,6 +1737,8 @@ "DE.Views.FileMenuPanels.Settings.txtWarnMacros": "Afișare notificări", "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Se dezactivează toate macrocomenzile, cu notificare ", "DE.Views.FileMenuPanels.Settings.txtWin": "ca Windows", + "DE.Views.FormSettings.textAspect": "Blocare raport aspect", + "DE.Views.FormSettings.textAutofit": "Potrivire automată", "DE.Views.FormSettings.textCheckbox": "Caseta de selectare", "DE.Views.FormSettings.textColor": "Culoare bordura", "DE.Views.FormSettings.textComb": "Câmp de pieptene", @@ -1755,6 +1757,7 @@ "DE.Views.FormSettings.textKey": "Cheie", "DE.Views.FormSettings.textLock": "Blocare", "DE.Views.FormSettings.textMaxChars": "Numărul limită de caractere", + "DE.Views.FormSettings.textNever": "Niciodată", "DE.Views.FormSettings.textNoBorder": "Fără bordură", "DE.Views.FormSettings.textPlaceholder": "Substituent", "DE.Views.FormSettings.textRadiobox": "Buton opțiune", diff --git a/apps/documenteditor/main/locale/ru.json b/apps/documenteditor/main/locale/ru.json index 261e06c30..049e84baf 100644 --- a/apps/documenteditor/main/locale/ru.json +++ b/apps/documenteditor/main/locale/ru.json @@ -276,7 +276,7 @@ "Common.Views.Header.tipRedo": "Повторить", "Common.Views.Header.tipSave": "Сохранить", "Common.Views.Header.tipUndo": "Отменить", - "Common.Views.Header.tipViewSettings": "Параметры представления", + "Common.Views.Header.tipViewSettings": "Параметры вида", "Common.Views.Header.tipViewUsers": "Просмотр пользователей и управление правами доступа к документу", "Common.Views.Header.txtAccessRights": "Изменить права доступа", "Common.Views.Header.txtRename": "Переименовать", @@ -846,7 +846,7 @@ "DE.Controllers.Main.uploadDocSizeMessage": "Превышен максимальный размер документа.", "DE.Controllers.Main.uploadImageExtMessage": "Неизвестный формат изображения.", "DE.Controllers.Main.uploadImageFileCountMessage": "Ни одного изображения не загружено.", - "DE.Controllers.Main.uploadImageSizeMessage": "Превышен максимальный размер изображения.", + "DE.Controllers.Main.uploadImageSizeMessage": "Слишком большое изображение. Максимальный размер - 25 MB.", "DE.Controllers.Main.uploadImageTextText": "Загрузка изображения...", "DE.Controllers.Main.uploadImageTitleText": "Загрузка изображения", "DE.Controllers.Main.waitText": "Пожалуйста, подождите...", @@ -1737,6 +1737,9 @@ "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.textCheckbox": "Флажок", "DE.Views.FormSettings.textColor": "Цвет границ", "DE.Views.FormSettings.textComb": "Комбинировать символы", @@ -1755,16 +1758,21 @@ "DE.Views.FormSettings.textKey": "Ключ", "DE.Views.FormSettings.textLock": "Заблокировать", "DE.Views.FormSettings.textMaxChars": "Максимальное число знаков", + "DE.Views.FormSettings.textMulti": "Многострочное поле", + "DE.Views.FormSettings.textNever": "Никогда", "DE.Views.FormSettings.textNoBorder": "Без границ", "DE.Views.FormSettings.textPlaceholder": "Заполнитель", "DE.Views.FormSettings.textRadiobox": "Переключатель", "DE.Views.FormSettings.textRequired": "Обязательно", + "DE.Views.FormSettings.textScale": "Когда масштабировать", "DE.Views.FormSettings.textSelectImage": "Выбрать изображение", "DE.Views.FormSettings.textTip": "Подсказка", "DE.Views.FormSettings.textTipAdd": "Добавить новое значение", "DE.Views.FormSettings.textTipDelete": "Удалить значение", "DE.Views.FormSettings.textTipDown": "Переместить вниз", "DE.Views.FormSettings.textTipUp": "Переместить вверх", + "DE.Views.FormSettings.textTooBig": "Изображение слишком большое", + "DE.Views.FormSettings.textTooSmall": "Изображение слишком маленькое", "DE.Views.FormSettings.textUnlock": "Разблокировать", "DE.Views.FormSettings.textValue": "Параметры значений", "DE.Views.FormSettings.textWidth": "Ширина ячейки", @@ -1783,6 +1791,7 @@ "DE.Views.FormsTab.textHighlight": "Цвет подсветки", "DE.Views.FormsTab.textNewColor": "Пользовательский цвет", "DE.Views.FormsTab.textNoHighlight": "Без подсветки", + "DE.Views.FormsTab.textRequired": "Заполните все обязательные поля для отправки формы.", "DE.Views.FormsTab.textSubmited": "Форма успешно отправлена", "DE.Views.FormsTab.tipCheckBox": "Вставить флажок", "DE.Views.FormsTab.tipComboBox": "Вставить поле со списком", @@ -2721,6 +2730,7 @@ "DE.Views.Toolbar.txtScheme2": "Оттенки серого", "DE.Views.Toolbar.txtScheme20": "Городская", "DE.Views.Toolbar.txtScheme21": "Яркая", + "DE.Views.Toolbar.txtScheme22": "Новая офисная", "DE.Views.Toolbar.txtScheme3": "Апекс", "DE.Views.Toolbar.txtScheme4": "Аспект", "DE.Views.Toolbar.txtScheme5": "Официальная", diff --git a/apps/documenteditor/main/locale/tr.json b/apps/documenteditor/main/locale/tr.json index 6151929fd..b4ba632d6 100644 --- a/apps/documenteditor/main/locale/tr.json +++ b/apps/documenteditor/main/locale/tr.json @@ -60,21 +60,26 @@ "Common.Controllers.ReviewChanges.textStrikeout": "Strikeout", "Common.Controllers.ReviewChanges.textSubScript": "Subscript", "Common.Controllers.ReviewChanges.textSuperScript": "Superscript", + "Common.Controllers.ReviewChanges.textTableChanged": "Tablo Ayarladı Değiştirildi", + "Common.Controllers.ReviewChanges.textTableRowsDel": "Tablo Satırı Silindi", "Common.Controllers.ReviewChanges.textTabs": "Change tabs", "Common.Controllers.ReviewChanges.textUnderline": "Underline", "Common.Controllers.ReviewChanges.textWidow": "Widow control", "Common.define.chartData.textArea": "Bölge Grafiği", "Common.define.chartData.textBar": "Çubuk grafik", "Common.define.chartData.textColumn": "Sütun grafik", + "Common.define.chartData.textComboCustom": "Özel kombinasyon", "Common.define.chartData.textLine": "Çizgi grafiği", "Common.define.chartData.textPie": "Dilim grafik", "Common.define.chartData.textPoint": "Nokta grafiği", "Common.define.chartData.textStock": "Stok Grafiği", "Common.define.chartData.textSurface": "Yüzey", + "Common.Translation.warnFileLockedBtnEdit": "Kopya oluştur", "Common.UI.Calendar.textApril": "Nisan", "Common.UI.Calendar.textAugust": "Ağustos", "Common.UI.Calendar.textDecember": "Aralık", "Common.UI.Calendar.textFebruary": "Şubat", + "Common.UI.ColorButton.textAutoColor": "Otomatik", "Common.UI.ColorButton.textNewColor": "Yeni Özel Renk Ekle", "Common.UI.ComboBorderSize.txtNoBorders": "Sınır yok", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sınır yok", @@ -119,6 +124,11 @@ "Common.Views.About.txtTel": "tel:", "Common.Views.About.txtVersion": "Versiyon", "Common.Views.AutoCorrectDialog.textAdd": "ekle", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Otomatik Düzeltme", + "Common.Views.AutoCorrectDialog.textBulleted": "Otomatik madde listesi", + "Common.Views.AutoCorrectDialog.textDelete": "Sil", + "Common.Views.AutoCorrectDialog.textNumbered": "Otomatik numaralı liste", + "Common.Views.AutoCorrectDialog.textTitle": "Otomatik Düzeltme", "Common.Views.Chat.textSend": "Gönder", "Common.Views.Comments.textAdd": "Ekle", "Common.Views.Comments.textAddComment": "Yorum Ekle", @@ -200,7 +210,9 @@ "Common.Views.Plugins.textStart": "Başlat", "Common.Views.Plugins.textStop": "Bitir", "Common.Views.Protection.hintPwd": "Şifreyi değiştir veya sil", + "Common.Views.Protection.txtAddPwd": "Şifre ekle", "Common.Views.Protection.txtChangePwd": "Şifre Değiştir", + "Common.Views.Protection.txtDeletePwd": "Şifreyi sil", "Common.Views.Protection.txtInvisibleSignature": "Dijital imza ekle", "Common.Views.RenameDialog.textName": "Dosya adı", "Common.Views.RenameDialog.txtInvalidName": "Dosya adı aşağıdaki karakterlerden herhangi birini içeremez:", @@ -224,6 +236,7 @@ "Common.Views.ReviewChanges.txtAcceptAll": "Tüm Değişiklikleri Kabul Et", "Common.Views.ReviewChanges.txtAcceptChanges": "Değişiklikleri Kabul Et", "Common.Views.ReviewChanges.txtAcceptCurrent": "Mevcut değişiklikleri kabul et", + "Common.Views.ReviewChanges.txtChat": "Sohbet", "Common.Views.ReviewChanges.txtClose": "Close", "Common.Views.ReviewChanges.txtCoAuthMode": "Ortak çalışma modunu ayarlayın", "Common.Views.ReviewChanges.txtCommentRemAll": "Tüm yorumları kaldır", @@ -255,6 +268,7 @@ "Common.Views.ReviewChangesDialog.txtRejectAll": "Tüm Değişiklikleri Reddet", "Common.Views.ReviewChangesDialog.txtRejectCurrent": "Mevcut Değişiklikleri Reddet", "Common.Views.ReviewPopover.textAdd": "Ekle", + "Common.Views.ReviewPopover.textAddReply": "Cevap ekle", "Common.Views.ReviewPopover.textCancel": "İptal", "Common.Views.ReviewPopover.textClose": "Kapat", "Common.Views.ReviewPopover.textEdit": "Tamam", @@ -369,6 +383,7 @@ "DE.Controllers.Main.splitMaxColsErrorText": "Sütun sayısı %1'den az olmalıdır.", "DE.Controllers.Main.splitMaxRowsErrorText": "Satır sayısı %1'den az olmalıdır.", "DE.Controllers.Main.textAnonymous": "Anonim", + "DE.Controllers.Main.textApplyAll": "Tüm denklemlere uygula", "DE.Controllers.Main.textBuyNow": "Websitesini ziyaret edin", "DE.Controllers.Main.textChangesSaved": "Tüm değişiklikler kaydedildi", "DE.Controllers.Main.textClose": "Kapat", @@ -382,12 +397,16 @@ "DE.Controllers.Main.titleLicenseExp": "Lisans süresi doldu", "DE.Controllers.Main.titleServerVersion": "Editör güncellendi", "DE.Controllers.Main.titleUpdateVersion": "Versiyon değiştirildi", + "DE.Controllers.Main.txtAbove": "Yukarıda", "DE.Controllers.Main.txtArt": "Your text here", "DE.Controllers.Main.txtBasicShapes": "Temel Şekiller", + "DE.Controllers.Main.txtBelow": "Altında", "DE.Controllers.Main.txtBookmarkError": "Hata! Yer imi tanımlı değil", "DE.Controllers.Main.txtButtons": "Tuşlar", "DE.Controllers.Main.txtCallouts": "Belirtme Çizgiler", "DE.Controllers.Main.txtCharts": "Grafikler", + "DE.Controllers.Main.txtChoose": "Bir öğe seçin", + "DE.Controllers.Main.txtCurrentDocument": "Mevcut belge", "DE.Controllers.Main.txtDiagramTitle": "Diagram Başlığı", "DE.Controllers.Main.txtEditingMode": "Düzenleme modunu belirle", "DE.Controllers.Main.txtEnterDate": "Bir tarih girin", @@ -400,8 +419,15 @@ "DE.Controllers.Main.txtNotValidBookmark": "Hata! Geçersiz yer imi.", "DE.Controllers.Main.txtRectangles": "Dikdörtgenler", "DE.Controllers.Main.txtSeries": "Seriler", + "DE.Controllers.Main.txtShape_actionButtonBeginning": "Başlangıç Butonu", "DE.Controllers.Main.txtShape_actionButtonHome": "Ev Tuşu", + "DE.Controllers.Main.txtShape_bevel": "Eğimli", "DE.Controllers.Main.txtShape_cloud": "Bulut", + "DE.Controllers.Main.txtShape_corner": "Köşe", + "DE.Controllers.Main.txtShape_decagon": "Dekagon", + "DE.Controllers.Main.txtShape_diagStripe": "Çapraz Çizgi", + "DE.Controllers.Main.txtShape_diamond": "Elmas", + "DE.Controllers.Main.txtShape_downArrow": "Aşağı Oku", "DE.Controllers.Main.txtShape_leftArrow": "Sol Ok", "DE.Controllers.Main.txtShape_lineWithArrow": "Ok", "DE.Controllers.Main.txtShape_noSmoking": "Simge \"Yok\"", @@ -830,6 +856,7 @@ "DE.Views.CaptionDialog.textSeparator": "Ayraç", "DE.Views.CaptionDialog.textTable": "Tablo", "DE.Views.CaptionDialog.textTitle": "Resim yazısı ekle", + "DE.Views.CellsAddDialog.textCol": "Sütunlar", "DE.Views.ChartSettings.textAdvanced": "Gelişmiş ayarları göster", "DE.Views.ChartSettings.textChartType": "Grafik Tipini Değiştir", "DE.Views.ChartSettings.textEditData": "Veri düzenle", @@ -849,13 +876,21 @@ "DE.Views.ChartSettings.txtTitle": "Grafik", "DE.Views.ChartSettings.txtTopAndBottom": "Üst ve alt", "DE.Views.ControlSettingsDialog.textAdd": "ekle", + "DE.Views.ControlSettingsDialog.textAppearance": "Görünüm", + "DE.Views.ControlSettingsDialog.textApplyAll": "Tümüne Uygula", + "DE.Views.ControlSettingsDialog.textCheckbox": "Onay kutusu", "DE.Views.ControlSettingsDialog.textColor": "Renk", "DE.Views.ControlSettingsDialog.textDate": "Tarih formatı", + "DE.Views.ControlSettingsDialog.textDelete": "Sil", + "DE.Views.ControlSettingsDialog.textDisplayName": "Görünen ad", + "DE.Views.ControlSettingsDialog.textDown": "Aşağı", + "DE.Views.ControlSettingsDialog.textDropDown": "Aşağı açılır liste", "DE.Views.ControlSettingsDialog.textFormat": "Tarihi böyle göster", "DE.Views.ControlSettingsDialog.textLang": "Dil", "DE.Views.ControlSettingsDialog.textName": "Başlık", "DE.Views.ControlSettingsDialog.textTag": "Etiket", "DE.Views.ControlSettingsDialog.tipChange": "Simge değiştir", + "DE.Views.CrossReferenceDialog.textAboveBelow": "Yukarı/aşağı", "DE.Views.CrossReferenceDialog.textBookmark": "Yer imi", "DE.Views.CrossReferenceDialog.textBookmarkText": "Yer imi metni", "DE.Views.CrossReferenceDialog.textCaption": "Resim yazısının tamamı", @@ -949,6 +984,7 @@ "DE.Views.DocumentHolder.textArrangeBackward": "Geri Taşı", "DE.Views.DocumentHolder.textArrangeForward": "İleri Taşı", "DE.Views.DocumentHolder.textArrangeFront": "Önplana Getir", + "DE.Views.DocumentHolder.textCol": "Tüm sütunu sil", "DE.Views.DocumentHolder.textCopy": "Kopyala", "DE.Views.DocumentHolder.textCut": "Kes", "DE.Views.DocumentHolder.textEditWrapBoundary": "Sargı Sınırı Düzenle", @@ -959,12 +995,14 @@ "DE.Views.DocumentHolder.textRotate": "Döndür", "DE.Views.DocumentHolder.textRotate270": "Döndür 90° Saatyönütersi", "DE.Views.DocumentHolder.textRotate90": "Döndür 90° Saatyönü", + "DE.Views.DocumentHolder.textRow": "Tüm diziyi sil", "DE.Views.DocumentHolder.textShapeAlignBottom": "Alta Hizala", "DE.Views.DocumentHolder.textShapeAlignCenter": "Ortaya Hizala", "DE.Views.DocumentHolder.textShapeAlignLeft": "Sola Hizala", "DE.Views.DocumentHolder.textShapeAlignMiddle": "Ortaya hizala", "DE.Views.DocumentHolder.textShapeAlignRight": "Sağa Hizla", "DE.Views.DocumentHolder.textShapeAlignTop": "Üste Hizala", + "DE.Views.DocumentHolder.textTitleCellsRemove": "Hücre Sil", "DE.Views.DocumentHolder.textUndo": "Geri Al", "DE.Views.DocumentHolder.textUpdateAll": "Tüm tabloyu güncelle", "DE.Views.DocumentHolder.textUpdatePages": "Sadece sayfa numaralarını güncelle", @@ -1097,6 +1135,7 @@ "DE.Views.DropcapSettingsAdvanced.textWidth": "Genişlik", "DE.Views.DropcapSettingsAdvanced.tipFontName": "Yazı Tipi", "DE.Views.DropcapSettingsAdvanced.txtNoBorders": "Sınır yok", + "DE.Views.EditListItemDialog.textDisplayName": "Görünen ad", "DE.Views.FileMenu.btnBackCaption": "Dökümanlara Git", "DE.Views.FileMenu.btnCloseMenuCaption": "Menüyü kapat", "DE.Views.FileMenu.btnCreateNewCaption": "Yeni oluştur", @@ -1121,7 +1160,10 @@ "DE.Views.FileMenuPanels.CreateNew.newDescriptionText": "Oluşturulduktan sonra düzenleme sırasında stil ve format verebileceğiniz yeni boş metin dosyası oluşturun. Yada belli tipte yada amaçta dökümana başlamak için şablonlardan birini seçin, bu şablonlar önceden düzenlenmiştir.", "DE.Views.FileMenuPanels.CreateNew.newDocumentText": "Yeni Metin Dökümanı", "DE.Views.FileMenuPanels.CreateNew.noTemplatesText": "Şablon yok", + "DE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Uygula", "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.txtBtnAccessRights": "Erişim haklarını değiştir", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Yükleniyor...", @@ -1168,6 +1210,7 @@ "DE.Views.FileMenuPanels.Settings.textForceSave": "Sunucuya Kaydet", "DE.Views.FileMenuPanels.Settings.textMinute": "Her Dakika", "DE.Views.FileMenuPanels.Settings.txtAll": "Tümünü göster", + "DE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Otomatik Düzeltme seçenekleri", "DE.Views.FileMenuPanels.Settings.txtCm": "Santimetre", "DE.Views.FileMenuPanels.Settings.txtFitPage": "Sayfaya Sığdır", "DE.Views.FileMenuPanels.Settings.txtFitWidth": "Genişliğe Sığdır", @@ -1184,8 +1227,21 @@ "DE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "Bütün macroları uyarı vermeden devre dışı bırak", "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Bütün macroları uyarı vererek devre dışı bırak", "DE.Views.FileMenuPanels.Settings.txtWin": "Windows olarak", + "DE.Views.FormSettings.textCheckbox": "Onay kutusu", + "DE.Views.FormSettings.textColor": "Sınır Rengi", + "DE.Views.FormSettings.textDelete": "Sil", + "DE.Views.FormSettings.textDisconnect": "Bağlantıyı Kes", + "DE.Views.FormSettings.textDropDown": "Aşağı açılır", + "DE.Views.FormSettings.textMaxChars": "Karakter sınırı", + "DE.Views.FormSettings.textTipAdd": "Yeni değer ekle", + "DE.Views.FormSettings.textTipDelete": "Değeri sil", + "DE.Views.FormsTab.capBtnCheckBox": "Onay kutusu", + "DE.Views.FormsTab.capBtnDropDown": "Aşağı açılır", + "DE.Views.FormsTab.textNewColor": "Yeni Özel Renk Ekle", + "DE.Views.FormsTab.tipDropDown": "Aşağı açılır liste ekle", "DE.Views.HeaderFooterSettings.textBottomCenter": "Alt Orta", "DE.Views.HeaderFooterSettings.textBottomLeft": "Alt Sol", + "DE.Views.HeaderFooterSettings.textBottomPage": "Sayfanın alt kısmı", "DE.Views.HeaderFooterSettings.textBottomRight": "Alt Sağ", "DE.Views.HeaderFooterSettings.textDiffFirst": "Farklı ilk sayfa", "DE.Views.HeaderFooterSettings.textDiffOdd": "Farklı tek ve çift sayfalar", @@ -1244,6 +1300,7 @@ "DE.Views.ImageSettingsAdvanced.textAngle": "Açı", "DE.Views.ImageSettingsAdvanced.textArrows": "Oklar", "DE.Views.ImageSettingsAdvanced.textAspectRatio": "En-boy oranını kilitle", + "DE.Views.ImageSettingsAdvanced.textAutofit": "Otomatik Sığdır", "DE.Views.ImageSettingsAdvanced.textBeginSize": "Başlama Boyutu", "DE.Views.ImageSettingsAdvanced.textBeginStyle": "Başlama Stili", "DE.Views.ImageSettingsAdvanced.textBelow": "altında", @@ -1322,6 +1379,7 @@ "DE.Views.LineNumbersDialog.textSection": "Geçerli bölüm", "DE.Views.LineNumbersDialog.textStartAt": "Başlangıç", "DE.Views.LineNumbersDialog.textTitle": "Satır Numaraları", + "DE.Views.LineNumbersDialog.txtAutoText": "Otomatik", "DE.Views.Links.capBtnBookmarks": "Yer imi", "DE.Views.Links.capBtnCaption": "Resim yazısı", "DE.Views.Links.capBtnContentsUpdate": "Yenile", @@ -1347,6 +1405,7 @@ "DE.Views.Links.tipContentsUpdate": "İçindekiler tablosunu yenile", "DE.Views.Links.tipInsertHyperlink": "Köprü ekle", "DE.Views.Links.tipNotes": "Dipnot ekle veya düzenle", + "DE.Views.ListSettingsDialog.textAuto": "Otomatik", "DE.Views.ListSettingsDialog.textCenter": "Ortala", "DE.Views.ListSettingsDialog.txtAlign": "Hizalama", "DE.Views.ListSettingsDialog.txtFont": "Font ve Simge", @@ -1422,6 +1481,7 @@ "DE.Views.NoteSettingsDialog.textTitle": "Not ayarları", "DE.Views.NotesRemoveDialog.textEnd": "Tüm Son Notları sil", "DE.Views.NotesRemoveDialog.textFoot": "Tüm dipnotları sil", + "DE.Views.NotesRemoveDialog.textTitle": "Notları sil", "DE.Views.PageMarginsDialog.notcriticalErrorTitle": "Warning", "DE.Views.PageMarginsDialog.textBottom": "Bottom", "DE.Views.PageMarginsDialog.textLeft": "Left", @@ -1433,6 +1493,7 @@ "DE.Views.PageSizeDialog.textHeight": "Height", "DE.Views.PageSizeDialog.textTitle": "Page Size", "DE.Views.PageSizeDialog.textWidth": "Width", + "DE.Views.PageSizeDialog.txtCustom": "Özel", "DE.Views.ParagraphSettings.strLineHeight": "Satır Aralığı", "DE.Views.ParagraphSettings.strParagraphSpacing": "Aralık", "DE.Views.ParagraphSettings.strSomeParagraphSpace": "Aynı stildeki paragraflar arasına aralık ekleme", @@ -1453,6 +1514,7 @@ "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Sol", "DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Sağ", "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "sonra", + "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Önce", "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Satırları birlikte tut", "DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Sonrakiyle tut", "DE.Views.ParagraphSettingsAdvanced.strMargins": "Dolgu maddeleri", @@ -1469,10 +1531,12 @@ "DE.Views.ParagraphSettingsAdvanced.strTabs": "Sekme", "DE.Views.ParagraphSettingsAdvanced.textAlign": "Hiza", "DE.Views.ParagraphSettingsAdvanced.textBackColor": "Arka plan rengi", + "DE.Views.ParagraphSettingsAdvanced.textBodyText": "Basit Metin", "DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Sınır Rengi", "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Grafiğe tıklayın yada sınır seçmek için tuşları kullanın ve seçilen stili bunlara uygulayın", "DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "Sınır Boyutu", "DE.Views.ParagraphSettingsAdvanced.textBottom": "Alt", + "DE.Views.ParagraphSettingsAdvanced.textCentered": "Ortalanmış", "DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Karakter aralığı", "DE.Views.ParagraphSettingsAdvanced.textDefault": "Varsayılan Sekme", "DE.Views.ParagraphSettingsAdvanced.textEffects": "Efektler", @@ -1498,6 +1562,7 @@ "DE.Views.ParagraphSettingsAdvanced.tipOuter": "Sadece Dış Sınırı Belirle", "DE.Views.ParagraphSettingsAdvanced.tipRight": "Sadece Sağ Sınırı Belirle", "DE.Views.ParagraphSettingsAdvanced.tipTop": "Sadece Üst Sınırı Belirle", + "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Otomatik", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sınır yok", "DE.Views.RightMenu.txtChartSettings": "Grafik Ayarları", "DE.Views.RightMenu.txtHeaderFooterSettings": "Üst Başlık ve Alt Başlık Ayarları", @@ -1578,6 +1643,7 @@ "DE.Views.TableOfContentsSettings.textLeader": "Lider", "DE.Views.TableOfContentsSettings.textLevel": "Seviye", "DE.Views.TableOfContentsSettings.textLevels": "Seviyeler", + "DE.Views.TableOfContentsSettings.txtCurrent": "Mevcut", "DE.Views.TableOfContentsSettings.txtModern": "Modern", "DE.Views.TableSettings.deleteColumnText": "Sütunu Sil", "DE.Views.TableSettings.deleteRowText": "Satırı Sil", @@ -1594,6 +1660,7 @@ "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.textAddFormula": "Formül ekle", "DE.Views.TableSettings.textAdvanced": "Gelişmiş ayarları göster", "DE.Views.TableSettings.textBackColor": "Arka plan rengi", "DE.Views.TableSettings.textBanded": "Bağlı", @@ -1622,6 +1689,8 @@ "DE.Views.TableSettings.tipRight": "Sadece Dış Sağ Sınırı Belirle", "DE.Views.TableSettings.tipTop": "Sadece Dış Üst Sınırı Belirle", "DE.Views.TableSettings.txtNoBorders": "Sınır yok", + "DE.Views.TableSettings.txtTable_Accent": "Aksan", + "DE.Views.TableSettings.txtTable_Colorful": "Renkli", "DE.Views.TableSettingsAdvanced.textAlign": "Hiza", "DE.Views.TableSettingsAdvanced.textAlignment": "Hiza", "DE.Views.TableSettingsAdvanced.textAllowSpacing": "Hücreler arası aralığa izin ver", @@ -1700,6 +1769,7 @@ "DE.Views.TextArtSettings.strStroke": "Stroke", "DE.Views.TextArtSettings.strTransparency": "Opacity", "DE.Views.TextArtSettings.strType": "Tip", + "DE.Views.TextArtSettings.textAngle": "Açı", "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", @@ -1713,6 +1783,10 @@ "DE.Views.TextArtSettings.textTemplate": "Template", "DE.Views.TextArtSettings.textTransform": "Transform", "DE.Views.TextArtSettings.txtNoBorders": "No Line", + "DE.Views.TextToTableDialog.textColumns": "Sütunlar", + "DE.Views.TextToTableDialog.textContents": "İçeriğe otomatik sığdır", + "DE.Views.TextToTableDialog.textWindow": "Pencereye otomatik sığdır", + "DE.Views.TextToTableDialog.txtAutoText": "Otomatik", "DE.Views.Toolbar.capBtnAddComment": "Yorum ekle", "DE.Views.Toolbar.capBtnBlankPage": "Boş Sayfa", "DE.Views.Toolbar.capBtnColumns": "Sütunlar", @@ -1753,6 +1827,7 @@ "DE.Views.Toolbar.textAutoColor": "Otomatik", "DE.Views.Toolbar.textBold": "Kalın", "DE.Views.Toolbar.textBottom": "Bottom: ", + "DE.Views.Toolbar.textCheckboxControl": "Onay kutusu", "DE.Views.Toolbar.textColumnsCustom": "Özel Sütunlar", "DE.Views.Toolbar.textColumnsLeft": "Left", "DE.Views.Toolbar.textColumnsOne": "One", @@ -1763,6 +1838,7 @@ "DE.Views.Toolbar.textContPage": "Devam Eden Sayfa", "DE.Views.Toolbar.textCustomLineNumbers": "Sayfa numaralandırma seçenekleri", "DE.Views.Toolbar.textDateControl": "Tarih", + "DE.Views.Toolbar.textDropdownControl": "Aşağı açılır liste", "DE.Views.Toolbar.textEditWatermark": "Özel Filigran", "DE.Views.Toolbar.textEvenPage": "Çift Sayfa", "DE.Views.Toolbar.textInMargin": "Kenar boşluğunda", @@ -1872,6 +1948,8 @@ "DE.Views.Toolbar.tipSynchronize": "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.", "DE.Views.Toolbar.tipUndo": "Geri Al", "DE.Views.Toolbar.tipWatermark": "Filigranı düzenle", + "DE.Views.Toolbar.txtMarginAlign": "Marjine ayarla", + "DE.Views.Toolbar.txtObjectsAlign": "Seçili Objeleri Hizala", "DE.Views.Toolbar.txtScheme1": "Ofis", "DE.Views.Toolbar.txtScheme10": "Medyan", "DE.Views.Toolbar.txtScheme11": "Metro", diff --git a/apps/documenteditor/main/locale/zh.json b/apps/documenteditor/main/locale/zh.json index e36c42a85..ef282743a 100644 --- a/apps/documenteditor/main/locale/zh.json +++ b/apps/documenteditor/main/locale/zh.json @@ -169,6 +169,7 @@ "Common.Views.AutoCorrectDialog.textBy": "依据", "Common.Views.AutoCorrectDialog.textDelete": "删除", "Common.Views.AutoCorrectDialog.textMathCorrect": "数学自动修正", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "以下表达式被识别为数学公式。这些表达式不会被自动设为斜体。", "Common.Views.AutoCorrectDialog.textReplace": "替换", "Common.Views.AutoCorrectDialog.textReplaceText": "输入时自动替换", "Common.Views.AutoCorrectDialog.textReplaceType": "输入时自动替换文字", @@ -289,6 +290,7 @@ "Common.Views.ReviewChanges.strFastDesc": "实时共同编辑。所有更改将会自动保存。", "Common.Views.ReviewChanges.strStrict": "严格", "Common.Views.ReviewChanges.strStrictDesc": "使用“保存”按钮同步您和其他人所做的更改。", + "Common.Views.ReviewChanges.textWarnTrackChanges": "对全体有完整控制权的用户,“跟踪修改”功能将会启动。任何人下次打开该文档,“跟踪修改”功能都会保持在启动状态。", "Common.Views.ReviewChanges.tipAcceptCurrent": "接受当前的变化", "Common.Views.ReviewChanges.tipCoAuthMode": "设置共同编辑模式", "Common.Views.ReviewChanges.tipCommentRem": "移除批注", @@ -321,6 +323,10 @@ "Common.Views.ReviewChanges.txtMarkup": "所有更改(编辑)", "Common.Views.ReviewChanges.txtMarkupCap": "标记", "Common.Views.ReviewChanges.txtNext": "下一个变化", + "Common.Views.ReviewChanges.txtOff": "对我自己关闭", + "Common.Views.ReviewChanges.txtOffGlobal": "对所有人关闭", + "Common.Views.ReviewChanges.txtOn": "对我自己启动", + "Common.Views.ReviewChanges.txtOnGlobal": "对所有人启动", "Common.Views.ReviewChanges.txtOriginal": "已拒绝所有更改(预览)", "Common.Views.ReviewChanges.txtOriginalCap": "原始版", "Common.Views.ReviewChanges.txtPrev": "以前的变化", @@ -432,6 +438,7 @@ "DE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。
请联系您的文档服务器管理员.", "DE.Controllers.Main.errorBadImageUrl": "图片地址不正确", "DE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。该文档现在无法编辑", + "DE.Controllers.Main.errorComboSeries": "要创建联立图表,请选中至少两组数据。", "DE.Controllers.Main.errorCompare": "协作编辑状态下,无法使用文件比对功能。", "DE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
当你点击“OK”按钮,系统将提示您下载文档。", "DE.Controllers.Main.errorDatabaseConnection": "外部错误。
数据库连接错误。如果错误仍然存​​在,请联系支持人员。", @@ -454,6 +461,7 @@ "DE.Controllers.Main.errorSessionAbsolute": "文档编辑会话已过期。请重新加载页面。", "DE.Controllers.Main.errorSessionIdle": "该文件尚未编辑相当长的时间。请重新加载页面。", "DE.Controllers.Main.errorSessionToken": "与服务器的连接已中断。请重新加载页面。", + "DE.Controllers.Main.errorSetPassword": "未能成功设置密码", "DE.Controllers.Main.errorStockChart": "行顺序不正确。建立股票图表将数据按照以下顺序放置在表格上:
开盘价,最高价格,最低价格,收盘价。", "DE.Controllers.Main.errorToken": "文档安全令牌未正确形成。
请与您的文件服务器管理员联系。", "DE.Controllers.Main.errorTokenExpire": "文档安全令牌已过期。
请与您的文档服务器管理员联系。", @@ -511,9 +519,11 @@ "DE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE开源版本", "DE.Controllers.Main.textPaidFeature": "付费功能", "DE.Controllers.Main.textRemember": "记住我的选择", + "DE.Controllers.Main.textRenameError": "用户名不能留空。", "DE.Controllers.Main.textShape": "形状", "DE.Controllers.Main.textStrict": "严格模式", "DE.Controllers.Main.textTryUndoRedo": "对于快速的协同编辑模式,取消/重做功能是禁用的。< br >单击“严格模式”按钮切换到严格co-editing模式编辑该文件没有其他用户干扰和发送您的更改只后你拯救他们。您可以使用编辑器高级设置在编辑模式之间切换。", + "DE.Controllers.Main.textTryUndoRedoWarn": "快速共同编辑模式下,撤销/重做功能被禁用。", "DE.Controllers.Main.titleLicenseExp": "许可证过期", "DE.Controllers.Main.titleServerVersion": "编辑器已更新", "DE.Controllers.Main.titleUpdateVersion": "版本已变化", @@ -749,6 +759,7 @@ "DE.Controllers.Main.txtSyntaxError": "语法错误", "DE.Controllers.Main.txtTableInd": "表格索引不能为零", "DE.Controllers.Main.txtTableOfContents": "目录", + "DE.Controllers.Main.txtTOCHeading": "目录标题", "DE.Controllers.Main.txtTooLarge": "数字太大,无法设定格式", "DE.Controllers.Main.txtTypeEquation": "在这里输入公式。", "DE.Controllers.Main.txtUndefBookmark": "未定义书签", @@ -779,6 +790,7 @@ "DE.Controllers.Navigation.txtBeginning": "文档开头", "DE.Controllers.Navigation.txtGotoBeginning": "转到文档开头", "DE.Controllers.Statusbar.textHasChanges": "已经跟踪了新的变化", + "DE.Controllers.Statusbar.textSetTrackChanges": "你现在处于了“跟踪变化”模式。", "DE.Controllers.Statusbar.textTrackChanges": "打开文档,并启用“跟踪更改”模式", "DE.Controllers.Statusbar.tipReview": "跟踪变化", "DE.Controllers.Statusbar.zoomText": "缩放%{0}", @@ -1651,6 +1663,7 @@ "DE.Views.FormSettings.textNoBorder": "无边框", "DE.Views.FormSettings.textPlaceholder": "占位符", "DE.Views.FormSettings.textSelectImage": "选择图像", + "DE.Views.FormSettings.textTip": "贴士", "DE.Views.FormSettings.textTipAdd": "新增值", "DE.Views.FormSettings.textTipDelete": "刪除值", "DE.Views.FormSettings.textTipDown": "下移", @@ -1704,6 +1717,7 @@ "DE.Views.HyperlinkSettingsDialog.txtEmpty": "这是必填栏", "DE.Views.HyperlinkSettingsDialog.txtHeadings": "标题", "DE.Views.HyperlinkSettingsDialog.txtNotUrl": "该字段应该是“http://www.example.com”格式的URL", + "DE.Views.HyperlinkSettingsDialog.txtSizeLimit": "该域字符限制为2803个。", "DE.Views.ImageSettings.textAdvanced": "显示高级设置", "DE.Views.ImageSettings.textCrop": "裁剪", "DE.Views.ImageSettings.textCropFill": "填满", @@ -1820,6 +1834,7 @@ "DE.Views.LeftMenu.txtDeveloper": "开发者模式", "DE.Views.LeftMenu.txtLimit": "限制访问", "DE.Views.LeftMenu.txtTrial": "试用模式", + "DE.Views.LeftMenu.txtTrialDev": "试用开发者模式", "DE.Views.LineNumbersDialog.textAddLineNumbering": "新增行号", "DE.Views.LineNumbersDialog.textApplyTo": "应用更改", "DE.Views.LineNumbersDialog.textContinuous": "连续", @@ -2396,6 +2411,8 @@ "DE.Views.Toolbar.mniImageFromFile": "图片文件", "DE.Views.Toolbar.mniImageFromStorage": "图片来自存储", "DE.Views.Toolbar.mniImageFromUrl": "图片来自网络", + "DE.Views.Toolbar.mniToggleCase": "切换大小写", + "DE.Views.Toolbar.mniUpperCase": "大写", "DE.Views.Toolbar.strMenuNoFill": "没有填充", "DE.Views.Toolbar.textAutoColor": "自动化的", "DE.Views.Toolbar.textBold": "加粗", diff --git a/apps/documenteditor/mobile/locale/ca.json b/apps/documenteditor/mobile/locale/ca.json index bf54f24ae..79a51b0bf 100644 --- a/apps/documenteditor/mobile/locale/ca.json +++ b/apps/documenteditor/mobile/locale/ca.json @@ -1,589 +1,517 @@ { - "Common.Controllers.Collaboration.textAddReply": "Afegir una Resposta", - "Common.Controllers.Collaboration.textAtLeast": "al menys", - "Common.Controllers.Collaboration.textAuto": "auto", - "Common.Controllers.Collaboration.textBaseline": "Línia Subíndex", - "Common.Controllers.Collaboration.textBold": "Negreta", - "Common.Controllers.Collaboration.textBreakBefore": "Salt de pàgina abans", - "Common.Controllers.Collaboration.textCancel": "Cancel·lar", - "Common.Controllers.Collaboration.textCaps": "Majúscules ", - "Common.Controllers.Collaboration.textCenter": "Centrar", - "Common.Controllers.Collaboration.textChart": "Gràfic", - "Common.Controllers.Collaboration.textColor": "Color de Font", - "Common.Controllers.Collaboration.textContextual": "No afegiu cap interval entre paràgrafs del mateix estil", - "Common.Controllers.Collaboration.textDelete": "Esborrar", - "Common.Controllers.Collaboration.textDeleteComment": "Esborrar comentari", - "Common.Controllers.Collaboration.textDeleted": "Suprimit:", - "Common.Controllers.Collaboration.textDeleteReply": "Esborrar resposta", - "Common.Controllers.Collaboration.textDone": "Fet", - "Common.Controllers.Collaboration.textDStrikeout": "Doble ratllat", - "Common.Controllers.Collaboration.textEdit": "Editar", - "Common.Controllers.Collaboration.textEditUser": "Usuaris que editen el fitxer:", - "Common.Controllers.Collaboration.textEquation": "Equació", - "Common.Controllers.Collaboration.textExact": "exactament", - "Common.Controllers.Collaboration.textFirstLine": "Primera línia", - "Common.Controllers.Collaboration.textFormatted": "Formatjat", - "Common.Controllers.Collaboration.textHighlight": "Ressalta el color", - "Common.Controllers.Collaboration.textImage": "Imatge", - "Common.Controllers.Collaboration.textIndentLeft": "Tabulador esquerre", - "Common.Controllers.Collaboration.textIndentRight": "Tabulador dret", - "Common.Controllers.Collaboration.textInserted": "Insertat:", - "Common.Controllers.Collaboration.textItalic": "Itàlica", - "Common.Controllers.Collaboration.textJustify": "Justificar", - "Common.Controllers.Collaboration.textKeepLines": "Mantenir les línies unides", - "Common.Controllers.Collaboration.textKeepNext": "Seguir amb el següent", - "Common.Controllers.Collaboration.textLeft": "Alinear Esquerra", - "Common.Controllers.Collaboration.textLineSpacing": "Espai entre Línies:", - "Common.Controllers.Collaboration.textMessageDeleteComment": "Voleu suprimir aquest comentari?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "Voleu suprimir aquesta resposta?", - "Common.Controllers.Collaboration.textMultiple": "multiplicador", - "Common.Controllers.Collaboration.textNoBreakBefore": "No hi havia cap salt de pàgina abans", - "Common.Controllers.Collaboration.textNoChanges": "No hi ha canvis.", - "Common.Controllers.Collaboration.textNoContextual": "Afegir un interval entre els paràgrafs del mateix estil", - "Common.Controllers.Collaboration.textNoKeepLines": "No mantingueu les línies unides", - "Common.Controllers.Collaboration.textNoKeepNext": "No mantenir en el següent", - "Common.Controllers.Collaboration.textNot": "No", - "Common.Controllers.Collaboration.textNoWidow": "Sense control de la finestra", - "Common.Controllers.Collaboration.textNum": "Canviar numeració", - "Common.Controllers.Collaboration.textParaDeleted": "Paràgraf Suprimit", - "Common.Controllers.Collaboration.textParaFormatted": "Paràgraf Formatjat", - "Common.Controllers.Collaboration.textParaInserted": "Paràgraf Inserit", - "Common.Controllers.Collaboration.textParaMoveFromDown": "Baixat:", - "Common.Controllers.Collaboration.textParaMoveFromUp": "Pujat:", - "Common.Controllers.Collaboration.textParaMoveTo": "Mogut:", - "Common.Controllers.Collaboration.textPosition": "Posició", - "Common.Controllers.Collaboration.textReopen": "Reobrir", - "Common.Controllers.Collaboration.textResolve": "Resol", - "Common.Controllers.Collaboration.textRight": "Alinear Dreta", - "Common.Controllers.Collaboration.textShape": "Forma", - "Common.Controllers.Collaboration.textShd": "Color de Fons", - "Common.Controllers.Collaboration.textSmallCaps": "Majúscules petites", - "Common.Controllers.Collaboration.textSpacing": "Espai", - "Common.Controllers.Collaboration.textSpacingAfter": "Espai després", - "Common.Controllers.Collaboration.textSpacingBefore": "Espai abans", - "Common.Controllers.Collaboration.textStrikeout": "Ratllar", - "Common.Controllers.Collaboration.textSubScript": "Subíndex", - "Common.Controllers.Collaboration.textSuperScript": "Superíndex", - "Common.Controllers.Collaboration.textTableChanged": "Configuració de la Taula Canviada", - "Common.Controllers.Collaboration.textTableRowsAdd": "Files de Taula Afegides", - "Common.Controllers.Collaboration.textTableRowsDel": "Files de Taula Suprimides", - "Common.Controllers.Collaboration.textTabs": "Canviar tabulació", - "Common.Controllers.Collaboration.textUnderline": "Subratllar", - "Common.Controllers.Collaboration.textWidow": "Control Finestra", - "Common.Controllers.Collaboration.textYes": "Sí", - "Common.UI.ThemeColorPalette.textCustomColors": "Colors Personalitzats", - "Common.UI.ThemeColorPalette.textStandartColors": "Colors Estàndards", - "Common.UI.ThemeColorPalette.textThemeColors": "Colors Tema", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAccept": "Acceptar", - "Common.Views.Collaboration.textAcceptAllChanges": "Acceptar Tots els Canvis", - "Common.Views.Collaboration.textAddReply": "Afegir una Resposta", - "Common.Views.Collaboration.textAllChangesAcceptedPreview": "Tots el canvis acceptats (Previsualitzar)", - "Common.Views.Collaboration.textAllChangesEditing": "Tots els canvis (Edició)", - "Common.Views.Collaboration.textAllChangesRejectedPreview": "Tots els canvis rebutjats (Previsualitzar)", - "Common.Views.Collaboration.textBack": "Enrere", - "Common.Views.Collaboration.textCancel": "Cancel·lar", - "Common.Views.Collaboration.textChange": "Revisió Canvis", - "Common.Views.Collaboration.textCollaboration": "Col·laboració", - "Common.Views.Collaboration.textDisplayMode": "Mode de visualització", - "Common.Views.Collaboration.textDone": "Fet", - "Common.Views.Collaboration.textEditReply": "Editar la Resposta", - "Common.Views.Collaboration.textEditUsers": "Usuaris", - "Common.Views.Collaboration.textEditСomment": "Editar el Comentari", - "Common.Views.Collaboration.textFinal": "Final", - "Common.Views.Collaboration.textMarkup": "Cambis", - "Common.Views.Collaboration.textNoComments": "Aquest document no conté comentaris", - "Common.Views.Collaboration.textOriginal": "Original", - "Common.Views.Collaboration.textReject": "Rebutjar", - "Common.Views.Collaboration.textRejectAllChanges": "Rebutjar Tots els Canvis", - "Common.Views.Collaboration.textReview": "Control de Canvis", - "Common.Views.Collaboration.textReviewing": "Revisió", - "Common.Views.Collaboration.textСomments": "Comentaris", - "DE.Controllers.AddContainer.textImage": "Imatge", - "DE.Controllers.AddContainer.textOther": "Altre", - "DE.Controllers.AddContainer.textShape": "Forma", - "DE.Controllers.AddContainer.textTable": "Taula", - "DE.Controllers.AddImage.textEmptyImgUrl": "Cal que especifiqueu l’enllaç de la imatge.", - "DE.Controllers.AddImage.txtNotUrl": "Aquest camp hauria de ser un enllaç en el format \"http://www.example.com\"", - "DE.Controllers.AddOther.textBelowText": "A sota del text", - "DE.Controllers.AddOther.textBottomOfPage": "Al Peu de Pàgina", - "DE.Controllers.AddOther.textCancel": "Cancel·lar", - "DE.Controllers.AddOther.textContinue": "Continua", - "DE.Controllers.AddOther.textDelete": "Esborrar", - "DE.Controllers.AddOther.textDeleteDraft": "Vols suprimir l'esborrany?", - "DE.Controllers.AddOther.txtNotUrl": "Aquest camp hauria de ser un enllaç en el format \"http://www.example.com\"", - "DE.Controllers.AddTable.textCancel": "Cancel·la", - "DE.Controllers.AddTable.textColumns": "Columnes", - "DE.Controllers.AddTable.textRows": "Files", - "DE.Controllers.AddTable.textTableSize": "Mida Taula", - "DE.Controllers.DocumentHolder.errorCopyCutPaste": "Les accions de copiar, tallar i enganxar mitjançant el menú contextual només es realitzaran dins del fitxer actual.", - "DE.Controllers.DocumentHolder.menuAddComment": "Afegir comentari", - "DE.Controllers.DocumentHolder.menuAddLink": "Afegir Enllaç", - "DE.Controllers.DocumentHolder.menuCopy": "Copiar", - "DE.Controllers.DocumentHolder.menuCut": "Tallar", - "DE.Controllers.DocumentHolder.menuDelete": "Esborrar", - "DE.Controllers.DocumentHolder.menuDeleteTable": "Esborrar Taula", - "DE.Controllers.DocumentHolder.menuEdit": "Edita", - "DE.Controllers.DocumentHolder.menuMerge": "Unir Cel·la", - "DE.Controllers.DocumentHolder.menuMore": "Més", - "DE.Controllers.DocumentHolder.menuOpenLink": "Obrir Enllaç", - "DE.Controllers.DocumentHolder.menuPaste": "Pegar", - "DE.Controllers.DocumentHolder.menuReview": "Revisió", - "DE.Controllers.DocumentHolder.menuReviewChange": "Revisió Canvis", - "DE.Controllers.DocumentHolder.menuSplit": "Dividir Cel·la", - "DE.Controllers.DocumentHolder.menuViewComment": "Veure Comentari", - "DE.Controllers.DocumentHolder.sheetCancel": "Cancel·la", - "DE.Controllers.DocumentHolder.textCancel": "Cancel·la", - "DE.Controllers.DocumentHolder.textColumns": "Columnes", - "DE.Controllers.DocumentHolder.textCopyCutPasteActions": "Accions de Copiar, Tallar i Pegar ", - "DE.Controllers.DocumentHolder.textDoNotShowAgain": "No mostrar de nou", - "DE.Controllers.DocumentHolder.textGuest": "Convidat", - "DE.Controllers.DocumentHolder.textRows": "Files", - "DE.Controllers.EditContainer.textChart": "Gràfic", - "DE.Controllers.EditContainer.textFooter": "Peu de pàgina", - "DE.Controllers.EditContainer.textHeader": "Capçalera", - "DE.Controllers.EditContainer.textHyperlink": "Hiperenllaç", - "DE.Controllers.EditContainer.textImage": "Imatge", - "DE.Controllers.EditContainer.textParagraph": "Paràgraf", - "DE.Controllers.EditContainer.textSettings": "Configuració", - "DE.Controllers.EditContainer.textShape": "Forma", - "DE.Controllers.EditContainer.textTable": "Taula", - "DE.Controllers.EditContainer.textText": "Text", - "DE.Controllers.EditImage.textEmptyImgUrl": "Cal que especifiqueu l’enllaç de la imatge.", - "DE.Controllers.EditImage.txtNotUrl": "Aquest camp hauria de ser un enllaç en el format \"http://www.example.com\"", - "DE.Controllers.EditText.textAuto": "Auto", - "DE.Controllers.EditText.textFonts": "Fonts", - "DE.Controllers.EditText.textPt": "pt", - "DE.Controllers.Main.advDRMEnterPassword": "Posar la teva contrasenya:", - "DE.Controllers.Main.advDRMOptions": "Arxiu Protegit", - "DE.Controllers.Main.advDRMPassword": "Contrasenya", - "DE.Controllers.Main.advTxtOptions": "Trieu Opcions d'arxiu TXT", - "DE.Controllers.Main.applyChangesTextText": "Carregant dades...", - "DE.Controllers.Main.applyChangesTitleText": "Carregant Dades", - "DE.Controllers.Main.closeButtonText": "Tancar Arxiu", - "DE.Controllers.Main.convertationTimeoutText": "Conversió fora de temps", - "DE.Controllers.Main.criticalErrorExtText": "Prem \"Acceptar\" per tornar a la llista de documents", - "DE.Controllers.Main.criticalErrorTitle": "Error", - "DE.Controllers.Main.downloadErrorText": "Fallada Descarrega", - "DE.Controllers.Main.downloadMergeText": "Descarregant...", - "DE.Controllers.Main.downloadMergeTitle": "Descarregant", - "DE.Controllers.Main.downloadTextText": "Descarregant document...", - "DE.Controllers.Main.downloadTitleText": "Descarregant Document", - "DE.Controllers.Main.errorAccessDeny": "Intenteu realitzar una acció per la qual no teniu drets.
Poseu-vos en contacte amb l'administrador del servidor de documents.", - "DE.Controllers.Main.errorBadImageUrl": "Enllaç de la Imatge Incorrecte", - "DE.Controllers.Main.errorCoAuthoringDisconnect": "S'ha perdut la connexió amb el servidor. Ja no es pot editar.", - "DE.Controllers.Main.errorConnectToServer": "El document no s'ha pogut desar. Comproveu la configuració de la connexió o poseu-vos en contacte amb l'administrador.
Quan feu clic al botó \"D'acord\", se us demanarà que descarregueu el document.", - "DE.Controllers.Main.errorDatabaseConnection": "Error Extern.
Connexió errònia amb la Base de Dades. Si us plau, contacti amb Suport.", - "DE.Controllers.Main.errorDataEncrypted": "S'han rebut canvis xifrats, que no es poden desxifrar.", - "DE.Controllers.Main.errorDataRange": "Interval de dades incorrecte.", - "DE.Controllers.Main.errorDefaultMessage": "Error codi:%1 ", - "DE.Controllers.Main.errorEditingDownloadas": "S'ha produït un error durant el treball amb el document.
Utilitzeu l'opció \"Descarregar\" per desar la còpia de seguretat del fitxer al disc dur de l’ordinador.", - "DE.Controllers.Main.errorFilePassProtect": "El fitxer està protegit amb contrasenya i no es pot obrir.", - "DE.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.", - "DE.Controllers.Main.errorKeyEncrypt": "Descriptor de la clau desconegut", - "DE.Controllers.Main.errorKeyExpire": "El descriptor de la clau ha caducat", - "DE.Controllers.Main.errorMailMergeLoadFile": "Ha fallat la càrrega del document. Seleccioneu un fitxer diferent.", - "DE.Controllers.Main.errorMailMergeSaveFile": "Ha fallat la fusió.", - "DE.Controllers.Main.errorOpensource": "Mitjançant la versió gratuïta de la comunitat, només podeu obrir documents per a la visualització. Per accedir a editors web per a mòbils, cal una llicència comercial.", - "DE.Controllers.Main.errorProcessSaveResult": "Error en Desar", - "DE.Controllers.Main.errorServerVersion": "S'ha actualitzat la versió de l'editor. Es tornarà a carregar la pàgina per aplicar els canvis.", - "DE.Controllers.Main.errorSessionAbsolute": "La sessió d’edició del document ha caducat. Torneu a carregar la pàgina.", - "DE.Controllers.Main.errorSessionIdle": "El document no s’ha editat des de fa temps. Torneu a carregar la pàgina.", - "DE.Controllers.Main.errorSessionToken": "S'ha interromput la connexió amb el servidor. Torneu a carregar la pàgina.", - "DE.Controllers.Main.errorStockChart": "Ordre de fila incorrecte. 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.errorUpdateVersion": "La versió del fitxer s'ha canviat. La pàgina es tornarà a carregar.", - "DE.Controllers.Main.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.Main.errorUserDrop": "Ara no es pot accedir al fitxer.", - "DE.Controllers.Main.errorUsersExceed": "El nombre d’usuaris s'ha superat", - "DE.Controllers.Main.errorViewerDisconnect": "La connexió s'ha perdut. Encara podeu veure el document,
però no podreu descarregar-lo fins que no es restableixi la connexió i es torni a carregar la pàgina.", - "DE.Controllers.Main.leavePageText": "Heu fet canvis no guardats en aquest document. Feu clic a \"Continua en aquesta pàgina\" per esperar la recuperació automàtica del document. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", - "DE.Controllers.Main.loadFontsTextText": "Carregant dades...", - "DE.Controllers.Main.loadFontsTitleText": "Carregant Dades", - "DE.Controllers.Main.loadFontTextText": "Carregant dades...", - "DE.Controllers.Main.loadFontTitleText": "Carregant Dades", - "DE.Controllers.Main.loadImagesTextText": "Carregant imatges...", - "DE.Controllers.Main.loadImagesTitleText": "Carregant Imatges", - "DE.Controllers.Main.loadImageTextText": "Carregant imatge...", - "DE.Controllers.Main.loadImageTitleText": "Carregant Imatge", - "DE.Controllers.Main.loadingDocumentTextText": "Carregant document...", - "DE.Controllers.Main.loadingDocumentTitleText": "Carregant document", - "DE.Controllers.Main.mailMergeLoadFileText": "Carregant l'origen de dades...", - "DE.Controllers.Main.mailMergeLoadFileTitle": "Carregant l'origen de dades", - "DE.Controllers.Main.notcriticalErrorTitle": "Avis", - "DE.Controllers.Main.openErrorText": "S'ha produït un error en obrir el fitxer.", - "DE.Controllers.Main.openTextText": "Obrint Document...", - "DE.Controllers.Main.openTitleText": "Obrir Document", - "DE.Controllers.Main.printTextText": "Imprimint Document...", - "DE.Controllers.Main.printTitleText": "Imprimir Document", - "DE.Controllers.Main.saveErrorText": "S'ha produït un error en desar el fitxer.", - "DE.Controllers.Main.savePreparingText": "Preparant per guardar", - "DE.Controllers.Main.savePreparingTitle": "Preparant per guardar. Si us plau, esperi", - "DE.Controllers.Main.saveTextText": "Desant Document...", - "DE.Controllers.Main.saveTitleText": "Desar Document", - "DE.Controllers.Main.scriptLoadError": "La connexió és massa lenta, alguns dels components no s’han pogut carregar. Torneu a carregar la pàgina.", - "DE.Controllers.Main.sendMergeText": "S'està enviant la Combinació...", - "DE.Controllers.Main.sendMergeTitle": "S'està enviant la Combinació", - "DE.Controllers.Main.splitDividerErrorText": "El nombre de files ha de ser un divisor de %1", - "DE.Controllers.Main.splitMaxColsErrorText": "El nombre de columnes ha de ser inferior a %1", - "DE.Controllers.Main.splitMaxRowsErrorText": "El nombre de files ha de ser inferior a %1", - "DE.Controllers.Main.textAnonymous": "Anònim ", - "DE.Controllers.Main.textBack": "Enrere", - "DE.Controllers.Main.textBuyNow": "Visita el Lloc Web", - "DE.Controllers.Main.textCancel": "Cancel·la", - "DE.Controllers.Main.textClose": "Tancar", - "DE.Controllers.Main.textContactUs": "Equip de Vendes", - "DE.Controllers.Main.textCustomLoader": "Tingueu en compte que, segons els termes de la llicència, no teniu dret a canviar el carregador.
Consulteu el nostre departament de vendes per obtenir un pressupost.", - "DE.Controllers.Main.textDone": "Fet", - "DE.Controllers.Main.textHasMacros": "El fitxer conté macros automàtiques.
Voleu executar macros?", - "DE.Controllers.Main.textLoadingDocument": "Carregant document", - "DE.Controllers.Main.textNo": "No", - "DE.Controllers.Main.textNoLicenseTitle": "Heu arribat al límit de la llicència", - "DE.Controllers.Main.textOK": "Acceptar", - "DE.Controllers.Main.textPaidFeature": "Funció de pagament", - "DE.Controllers.Main.textPassword": "Contrasenya", - "DE.Controllers.Main.textPreloader": "Carregant...", - "DE.Controllers.Main.textRemember": "Recorda la meva elecció", - "DE.Controllers.Main.textTryUndoRedo": "Les funcions Desfés/Rehabiliteu estan desactivades per al mode de coedició ràpida.", - "DE.Controllers.Main.textUsername": "Usuari", - "DE.Controllers.Main.textYes": "Sí", - "DE.Controllers.Main.titleLicenseExp": "Llicència Caducada", - "DE.Controllers.Main.titleServerVersion": "S'ha actualitzat l'editor", - "DE.Controllers.Main.titleUpdateVersion": "Versió canviada", - "DE.Controllers.Main.txtArt": "El seu text aquí", - "DE.Controllers.Main.txtDiagramTitle": "Títol del Gràfic", - "DE.Controllers.Main.txtEditingMode": "Estableix el mode d'edició ...", - "DE.Controllers.Main.txtFooter": "Peu de pàgina", - "DE.Controllers.Main.txtHeader": "Capçalera", - "DE.Controllers.Main.txtProtected": "Un cop hàgiu introduït la contrasenya i obert el fitxer, es restablirà la contrasenya actual del fitxer", - "DE.Controllers.Main.txtSeries": "Series", - "DE.Controllers.Main.txtStyle_footnote_text": "Tex Peu de Pàgina", - "DE.Controllers.Main.txtStyle_Heading_1": "Títol 1", - "DE.Controllers.Main.txtStyle_Heading_2": "Títol 2", - "DE.Controllers.Main.txtStyle_Heading_3": "Títol 3", - "DE.Controllers.Main.txtStyle_Heading_4": "Títol 4", - "DE.Controllers.Main.txtStyle_Heading_5": "Títol 5", - "DE.Controllers.Main.txtStyle_Heading_6": "Títol 6", - "DE.Controllers.Main.txtStyle_Heading_7": "Títol 7", - "DE.Controllers.Main.txtStyle_Heading_8": "Títol 8", - "DE.Controllers.Main.txtStyle_Heading_9": "Títol 9", - "DE.Controllers.Main.txtStyle_Intense_Quote": "Cita seleccionada", - "DE.Controllers.Main.txtStyle_List_Paragraph": "Paràgraf de la Llista", - "DE.Controllers.Main.txtStyle_No_Spacing": "Sense Espais", - "DE.Controllers.Main.txtStyle_Normal": "Normal", - "DE.Controllers.Main.txtStyle_Quote": "Cita", - "DE.Controllers.Main.txtStyle_Subtitle": "Subtítol", - "DE.Controllers.Main.txtStyle_Title": "Títol", - "DE.Controllers.Main.txtXAxis": "Eix X", - "DE.Controllers.Main.txtYAxis": "Eix Y", - "DE.Controllers.Main.unknownErrorText": "Error Desconegut", - "DE.Controllers.Main.unsupportedBrowserErrorText": "El vostre navegador no és compatible.", - "DE.Controllers.Main.uploadImageExtMessage": "Format imatge desconegut", - "DE.Controllers.Main.uploadImageFileCountMessage": "No s'ha penjat cap imatge.", - "DE.Controllers.Main.uploadImageSizeMessage": "Superat el límit de mida de la imatge màxima.", - "DE.Controllers.Main.uploadImageTextText": "Pujant imatge...", - "DE.Controllers.Main.uploadImageTitleText": "Pujar Imatge", - "DE.Controllers.Main.waitText": "Si us plau, esperi...", - "DE.Controllers.Main.warnLicenseExceeded": "S'ha superat el nombre de connexions simultànies al servidor de documents i el document s'obrirà només per a la seva visualització.
Contacteu l'administrador per obtenir més informació.", - "DE.Controllers.Main.warnLicenseExp": "La seva llicencia ha caducat.
Si us plau, actualitzi la llicencia i recarregui la pàgina.", - "DE.Controllers.Main.warnLicenseUsersExceeded": "S'ha superat el nombre d'usuaris concurrents i el document s'obrirà només per a la seva visualització.
Per més informació, poseu-vos en contacte amb l'administrador.", - "DE.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.", - "DE.Controllers.Main.warnNoLicenseUsers": "Heu arribat al límit d'usuaris concurrents per a editors %1.
Contactau l'equip de vendes per als termes de millora personal dels vostres serveis.", - "DE.Controllers.Main.warnProcessRightsChange": "Se li ha denegat el dret a editar el fitxer.", - "DE.Controllers.Search.textNoTextFound": "Text no Trobat", - "DE.Controllers.Search.textReplaceAll": "Canviar Tot", - "DE.Controllers.Settings.notcriticalErrorTitle": "Avis", - "DE.Controllers.Settings.textCustomSize": "Mida Personalitzada", - "DE.Controllers.Settings.txtLoading": "Carregant...", - "DE.Controllers.Settings.unknownText": "Desconegut", - "DE.Controllers.Settings.warnDownloadAs": "Si continueu guardant en aquest format, es perdran totes les funcions, excepte el text.
Esteu segur que voleu continuar?", - "DE.Controllers.Settings.warnDownloadAsRTF": "Si continueu guardant en aquest format, es podria perdre una mica de la configuració.
Segur que voleu continuar?", - "DE.Controllers.Toolbar.dlgLeaveMsgText": "Heu fet canvis no guardats en aquest document. Feu clic a \"Continua en aquesta pàgina\" per esperar la recuperació automàtica del document. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", - "DE.Controllers.Toolbar.dlgLeaveTitleText": "Deixeu l'aplicació", - "DE.Controllers.Toolbar.leaveButtonText": "Sortir d'aquesta Pàgina", - "DE.Controllers.Toolbar.stayButtonText": "Queda't en aquesta Pàgina", - "DE.Views.AddImage.textAddress": "Adreça", - "DE.Views.AddImage.textBack": "Enrere", - "DE.Views.AddImage.textFromLibrary": "Imatge de Llibreria", - "DE.Views.AddImage.textFromURL": "Imatge de URL", - "DE.Views.AddImage.textImageURL": "Imatge URL", - "DE.Views.AddImage.textInsertImage": "Inserta Imatge", - "DE.Views.AddImage.textLinkSettings": "Propietats Enllaç", - "DE.Views.AddOther.textAddComment": "Afegir comentari", - "DE.Views.AddOther.textAddLink": "Afegir Enllaç", - "DE.Views.AddOther.textBack": "Enrere", - "DE.Views.AddOther.textBreak": "Tallar", - "DE.Views.AddOther.textCenterBottom": "Centrat Inferior", - "DE.Views.AddOther.textCenterTop": "Centrat Superior", - "DE.Views.AddOther.textColumnBreak": "Salt de Columna", - "DE.Views.AddOther.textComment": "Comentari", - "DE.Views.AddOther.textContPage": "Pàgina contínua", - "DE.Views.AddOther.textCurrentPos": "Posició Actual", - "DE.Views.AddOther.textDisplay": "Mostrar", - "DE.Views.AddOther.textDone": "Fet", - "DE.Views.AddOther.textEvenPage": "Pàgina parell", - "DE.Views.AddOther.textFootnote": "Nota a peu de pàgina", - "DE.Views.AddOther.textFormat": "Format", - "DE.Views.AddOther.textInsert": "Inserta", - "DE.Views.AddOther.textInsertFootnote": "Inserir Nota Peu Pàgina", - "DE.Views.AddOther.textLeftBottom": "Esquerra Inferior", - "DE.Views.AddOther.textLeftTop": "Esquerra Superior", - "DE.Views.AddOther.textLink": "Enllaç", - "DE.Views.AddOther.textLocation": "Ubicació", - "DE.Views.AddOther.textNextPage": "Pàgina Següent", - "DE.Views.AddOther.textOddPage": "Pàgina imparell", - "DE.Views.AddOther.textPageBreak": "Salt de Pàgina", - "DE.Views.AddOther.textPageNumber": "Número Pàgina", - "DE.Views.AddOther.textPosition": "Posició", - "DE.Views.AddOther.textRightBottom": "Dreta Inferior", - "DE.Views.AddOther.textRightTop": "Dreta Superior", - "DE.Views.AddOther.textSectionBreak": "Salt de Secció", - "DE.Views.AddOther.textStartFrom": "Comença A", - "DE.Views.AddOther.textTip": "Consells de Pantalla", - "DE.Views.EditChart.textAddCustomColor": "Afegir Color Personalitzat", - "DE.Views.EditChart.textAlign": "Alinear", - "DE.Views.EditChart.textBack": "Enrere", - "DE.Views.EditChart.textBackward": "Tornar enrere", - "DE.Views.EditChart.textBehind": "Darrere", - "DE.Views.EditChart.textBorder": "Vora", - "DE.Views.EditChart.textColor": "Color", - "DE.Views.EditChart.textCustomColor": "Color Personalitzat", - "DE.Views.EditChart.textDistanceText": "Distància del text", - "DE.Views.EditChart.textFill": "Omplir", - "DE.Views.EditChart.textForward": "Avançar", - "DE.Views.EditChart.textInFront": "Davant", - "DE.Views.EditChart.textInline": "En línia", - "DE.Views.EditChart.textMoveText": "Moure amb el Text", - "DE.Views.EditChart.textOverlap": "Permet que se superposin", - "DE.Views.EditChart.textRemoveChart": "Esborrar Gràfic", - "DE.Views.EditChart.textReorder": "Reordenar", - "DE.Views.EditChart.textSize": "Mida", - "DE.Views.EditChart.textSquare": "Quadrat", - "DE.Views.EditChart.textStyle": "Estil", - "DE.Views.EditChart.textThrough": "A través", - "DE.Views.EditChart.textTight": "Estret", - "DE.Views.EditChart.textToBackground": "Enviar a un segon pla", - "DE.Views.EditChart.textToForeground": "Porta a Primer pla", - "DE.Views.EditChart.textTopBottom": "Superior e Inferior", - "DE.Views.EditChart.textType": "Tipus", - "DE.Views.EditChart.textWrap": "Comentari", - "DE.Views.EditHeader.textDiffFirst": "Primera pàgina diferent", - "DE.Views.EditHeader.textDiffOdd": "Pàgines imparells i parells diferents", - "DE.Views.EditHeader.textFrom": "Comença a", - "DE.Views.EditHeader.textPageNumbering": "Numeració Pàgines", - "DE.Views.EditHeader.textPrev": "Continua des de la secció anterior", - "DE.Views.EditHeader.textSameAs": "Vista Prèvia Enllaç", - "DE.Views.EditHyperlink.textDisplay": "Mostrar", - "DE.Views.EditHyperlink.textEdit": "Editar Enllaç", - "DE.Views.EditHyperlink.textLink": "Enllaç", - "DE.Views.EditHyperlink.textRemove": "Esborrar Enllaç", - "DE.Views.EditHyperlink.textTip": "Consells de Pantalla", - "DE.Views.EditImage.textAddress": "Adreça", - "DE.Views.EditImage.textAlign": "Alinear", - "DE.Views.EditImage.textBack": "Enrere", - "DE.Views.EditImage.textBackward": "Tornar enrere", - "DE.Views.EditImage.textBehind": "Darrere", - "DE.Views.EditImage.textDefault": "Mida Actual", - "DE.Views.EditImage.textDistanceText": "Distància del text", - "DE.Views.EditImage.textForward": "Avançar", - "DE.Views.EditImage.textFromLibrary": "Imatge de Llibreria", - "DE.Views.EditImage.textFromURL": "Imatge de URL", - "DE.Views.EditImage.textImageURL": "Imatge URL", - "DE.Views.EditImage.textInFront": "Davant", - "DE.Views.EditImage.textInline": "En línia", - "DE.Views.EditImage.textLinkSettings": "Propietats Enllaç", - "DE.Views.EditImage.textMoveText": "Moure amb el Text", - "DE.Views.EditImage.textOverlap": "Permet que se superposin", - "DE.Views.EditImage.textRemove": "Esborrar Imatge", - "DE.Views.EditImage.textReorder": "Reordenar", - "DE.Views.EditImage.textReplace": "Canviar", - "DE.Views.EditImage.textReplaceImg": "Canviar Imatge", - "DE.Views.EditImage.textSquare": "Quadrat", - "DE.Views.EditImage.textThrough": "A través", - "DE.Views.EditImage.textTight": "Estret", - "DE.Views.EditImage.textToBackground": "Enviar a un segon pla", - "DE.Views.EditImage.textToForeground": "Porta a Primer pla", - "DE.Views.EditImage.textTopBottom": "Superior e Inferior", - "DE.Views.EditImage.textWrap": "Comentari", - "DE.Views.EditParagraph.textAddCustomColor": "Afegir Color Personalitzat", - "DE.Views.EditParagraph.textAdvanced": "Avançat", - "DE.Views.EditParagraph.textAdvSettings": "Configuració avançada", - "DE.Views.EditParagraph.textAfter": "Després", - "DE.Views.EditParagraph.textAuto": "Auto", - "DE.Views.EditParagraph.textBack": "Enrere", - "DE.Views.EditParagraph.textBackground": "Fons", - "DE.Views.EditParagraph.textBefore": "Abans", - "DE.Views.EditParagraph.textCustomColor": "Color Personalitzat", - "DE.Views.EditParagraph.textFirstLine": "Primera Línia", - "DE.Views.EditParagraph.textFromText": "Distància del text", - "DE.Views.EditParagraph.textKeepLines": "Mantenir les Línies Unides", - "DE.Views.EditParagraph.textKeepNext": "Seguir amb el Següent", - "DE.Views.EditParagraph.textOrphan": "Control de línies Orfes", - "DE.Views.EditParagraph.textPageBreak": "Salt de Pàgina Abans", - "DE.Views.EditParagraph.textPrgStyles": "Estils de Paràgraf", - "DE.Views.EditParagraph.textSpaceBetween": "Espai entre Paràgrafs", - "DE.Views.EditShape.textAddCustomColor": "Afegir Color Personalitzat", - "DE.Views.EditShape.textAlign": "Alinear", - "DE.Views.EditShape.textBack": "Enrere", - "DE.Views.EditShape.textBackward": "Tornar enrere", - "DE.Views.EditShape.textBehind": "Darrere", - "DE.Views.EditShape.textBorder": "Vora", - "DE.Views.EditShape.textColor": "Color", - "DE.Views.EditShape.textCustomColor": "Color Personalitzat", - "DE.Views.EditShape.textEffects": "Efectes", - "DE.Views.EditShape.textFill": "Omplir", - "DE.Views.EditShape.textForward": "Avançar", - "DE.Views.EditShape.textFromText": "Distància del text", - "DE.Views.EditShape.textInFront": "Davant", - "DE.Views.EditShape.textInline": "En línia", - "DE.Views.EditShape.textOpacity": "Opacitat", - "DE.Views.EditShape.textOverlap": "Permet que se superposin", - "DE.Views.EditShape.textRemoveShape": "Esborrar Forma", - "DE.Views.EditShape.textReorder": "Reordenar", - "DE.Views.EditShape.textReplace": "Canviar", - "DE.Views.EditShape.textSize": "Mida", - "DE.Views.EditShape.textSquare": "Quadrat", - "DE.Views.EditShape.textStyle": "Estil", - "DE.Views.EditShape.textThrough": "A través", - "DE.Views.EditShape.textTight": "Estret", - "DE.Views.EditShape.textToBackground": "Enviar a un segon pla", - "DE.Views.EditShape.textToForeground": "Porta a Primer pla", - "DE.Views.EditShape.textTopAndBottom": "Superior e Inferior", - "DE.Views.EditShape.textWithText": "Moure amb el Text", - "DE.Views.EditShape.textWrap": "Comentari", - "DE.Views.EditTable.textAddCustomColor": "Afegir Color Personalitzat", - "DE.Views.EditTable.textAlign": "Alinear", - "DE.Views.EditTable.textBack": "Enrere", - "DE.Views.EditTable.textBandedColumn": "Columna amb bandes", - "DE.Views.EditTable.textBandedRow": "Fila de Bandes", - "DE.Views.EditTable.textBorder": "Vora", - "DE.Views.EditTable.textCellMargins": "Marges de Cel·la", - "DE.Views.EditTable.textColor": "Color", - "DE.Views.EditTable.textCustomColor": "Color Personalitzat", - "DE.Views.EditTable.textFill": "Omplir", - "DE.Views.EditTable.textFirstColumn": "Primera Columna", - "DE.Views.EditTable.textFlow": "Flux", - "DE.Views.EditTable.textFromText": "Distància del text", - "DE.Views.EditTable.textHeaderRow": "Fila de Capçalera", - "DE.Views.EditTable.textInline": "En línia", - "DE.Views.EditTable.textLastColumn": "Última Columna", - "DE.Views.EditTable.textOptions": "Opcions", - "DE.Views.EditTable.textRemoveTable": "Esborrar Taula", - "DE.Views.EditTable.textRepeatHeader": "Repetir Fila Capçalera", - "DE.Views.EditTable.textResizeFit": "Redimensionar per adaptar al contingut", - "DE.Views.EditTable.textSize": "Mida", - "DE.Views.EditTable.textStyle": "Estil", - "DE.Views.EditTable.textStyleOptions": "Opcions Estil", - "DE.Views.EditTable.textTableOptions": "Opcions Taula", - "DE.Views.EditTable.textTotalRow": "Total Fila", - "DE.Views.EditTable.textWithText": "Moure amb el Text", - "DE.Views.EditTable.textWrap": "Comentari", - "DE.Views.EditText.textAddCustomColor": "Afegir Color Personalitzat", - "DE.Views.EditText.textAdditional": "Addicional", - "DE.Views.EditText.textAdditionalFormat": "Format Addicional", - "DE.Views.EditText.textAllCaps": "Majúscules ", - "DE.Views.EditText.textAutomatic": "Automàtic", - "DE.Views.EditText.textBack": "Enrere", - "DE.Views.EditText.textBullets": "Vinyetes", - "DE.Views.EditText.textCharacterBold": "B", - "DE.Views.EditText.textCharacterItalic": "I", - "DE.Views.EditText.textCharacterStrikethrough": "S", - "DE.Views.EditText.textCharacterUnderline": "U", - "DE.Views.EditText.textCustomColor": "Color Personalitzat", - "DE.Views.EditText.textDblStrikethrough": "Doble ratllat", - "DE.Views.EditText.textDblSuperscript": "Superíndex", - "DE.Views.EditText.textFontColor": "Color de Font", - "DE.Views.EditText.textFontColors": "Colors de Font", - "DE.Views.EditText.textFonts": "Fonts", - "DE.Views.EditText.textHighlightColor": "Ressalta el Color", - "DE.Views.EditText.textHighlightColors": "Ressalta els Colors", - "DE.Views.EditText.textLetterSpacing": "Espai de Lletres", - "DE.Views.EditText.textLineSpacing": "Espai entre Línies", - "DE.Views.EditText.textNone": "Cap", - "DE.Views.EditText.textNumbers": "Nombres", - "DE.Views.EditText.textSize": "Mida", - "DE.Views.EditText.textSmallCaps": "Majúscules Petites", - "DE.Views.EditText.textStrikethrough": "Ratllar tex", - "DE.Views.EditText.textSubscript": "Subíndex", - "DE.Views.Search.textCase": "Sensible a majúscules i minúscules", - "DE.Views.Search.textDone": "Fet", - "DE.Views.Search.textFind": "Buscar", - "DE.Views.Search.textFindAndReplace": "Buscar i Canviar", - "DE.Views.Search.textHighlight": "Ressaltar els resultats", - "DE.Views.Search.textReplace": "Canviar", - "DE.Views.Search.textSearch": "Cerca", - "DE.Views.Settings.textAbout": "Sobre", - "DE.Views.Settings.textAddress": "adreça", - "DE.Views.Settings.textAdvancedSettings": "Configurar Aplicació", - "DE.Views.Settings.textApplication": "Aplicació", - "DE.Views.Settings.textAuthor": "Autor", - "DE.Views.Settings.textBack": "Enrere", - "DE.Views.Settings.textBottom": "Inferior", - "DE.Views.Settings.textCentimeter": "Centímetre", - "DE.Views.Settings.textCollaboration": "Col·laboració", - "DE.Views.Settings.textColorSchemes": "Esquema de Color", - "DE.Views.Settings.textComment": "Comentari", - "DE.Views.Settings.textCommentingDisplay": "Visualització de comentaris", - "DE.Views.Settings.textCreated": "Creació", - "DE.Views.Settings.textCreateDate": "Data de Creació", - "DE.Views.Settings.textCustom": "Personalitzat", - "DE.Views.Settings.textCustomSize": "Mida Personalitzada", - "DE.Views.Settings.textDisableAll": "Inhabilita tot", - "DE.Views.Settings.textDisableAllMacrosWithNotification": "Desactiveu totes les macros amb una notificació", - "DE.Views.Settings.textDisableAllMacrosWithoutNotification": "Desactiveu totes les macros sense una notificació", - "DE.Views.Settings.textDisplayComments": "Comentaris", - "DE.Views.Settings.textDisplayResolvedComments": "Comentaris Resolts", - "DE.Views.Settings.textDocInfo": "Informació de Document", - "DE.Views.Settings.textDocTitle": "Títol del document", - "DE.Views.Settings.textDocumentFormats": "Formats de Document", - "DE.Views.Settings.textDocumentSettings": "Paràmetres Document", - "DE.Views.Settings.textDone": "Fet", - "DE.Views.Settings.textDownload": "Descarregar", - "DE.Views.Settings.textDownloadAs": "Descarregar com a...", - "DE.Views.Settings.textEditDoc": "Editar Document", - "DE.Views.Settings.textEmail": "Correu Electrònic", - "DE.Views.Settings.textEnableAll": "Activa tot", - "DE.Views.Settings.textEnableAllMacrosWithoutNotification": "Habiliteu totes les macros sense una notificació", - "DE.Views.Settings.textFind": "Buscar", - "DE.Views.Settings.textFindAndReplace": "Buscar i Canviar", - "DE.Views.Settings.textFormat": "Format", - "DE.Views.Settings.textHelp": "Ajuda", - "DE.Views.Settings.textHiddenTableBorders": "Ocultar Vores de la Taula", - "DE.Views.Settings.textInch": "Polzada", - "DE.Views.Settings.textLandscape": "Horitzontal", - "DE.Views.Settings.textLastModified": "Última Modificació", - "DE.Views.Settings.textLastModifiedBy": "Modificat Per", - "DE.Views.Settings.textLeft": "Esquerra", - "DE.Views.Settings.textLoading": "Carregant...", - "DE.Views.Settings.textLocation": "Ubicació", - "DE.Views.Settings.textMacrosSettings": "Configuració de macros", - "DE.Views.Settings.textMargins": "Marges", - "DE.Views.Settings.textNoCharacters": "Caràcters que no imprimeixen", - "DE.Views.Settings.textOrientation": "Orientació", - "DE.Views.Settings.textOwner": "Propietari", - "DE.Views.Settings.textPages": "Pàgines", - "DE.Views.Settings.textParagraphs": "Paràgrafs", - "DE.Views.Settings.textPoint": "Punt", - "DE.Views.Settings.textPortrait": "Vertical", - "DE.Views.Settings.textPoweredBy": "Impulsat per", - "DE.Views.Settings.textPrint": "Imprimir", - "DE.Views.Settings.textReader": "Mode de lectura", - "DE.Views.Settings.textReview": "Control de Canvis", - "DE.Views.Settings.textRight": "Dreta", - "DE.Views.Settings.textSettings": "Configuració", - "DE.Views.Settings.textShowNotification": "Mostra la Notificació", - "DE.Views.Settings.textSpaces": "Espais", - "DE.Views.Settings.textSpellcheck": "Comprovació Ortogràfica", - "DE.Views.Settings.textStatistic": "Estadístiques", - "DE.Views.Settings.textSubject": "Assumpte", - "DE.Views.Settings.textSymbols": "Símbols", - "DE.Views.Settings.textTel": "tel", - "DE.Views.Settings.textTitle": "Títol", - "DE.Views.Settings.textTop": "Superior", - "DE.Views.Settings.textUnitOfMeasurement": "Unitat de Mesura", - "DE.Views.Settings.textUploaded": "Penjat", - "DE.Views.Settings.textVersion": "Versió", - "DE.Views.Settings.textWords": "Paraules", - "DE.Views.Settings.unknownText": "Desconegut", - "DE.Views.Toolbar.textBack": "Enrere" + "About": { + "textAbout": "Quant a...", + "textAddress": "Adreça", + "textBack": "Enrere", + "textEmail": "Correu electrònic", + "textPoweredBy": "Impulsat Per", + "textTel": "Tel.", + "textVersion": "Versió" + }, + "Add": { + "notcriticalErrorTitle": "avís", + "textAddLink": "Afegir enllaç", + "textAddress": "Adreça", + "textBack": "Enrere", + "textBelowText": "A sota del text", + "textBottomOfPage": "Al Peu de pàgina", + "textBreak": "Salt", + "textCancel": "Cancel·lar", + "textCenterBottom": "Inferior Centrat", + "textCenterTop": "Centrat Superior", + "textColumnBreak": "Salt de Columna", + "textColumns": "Columnes", + "textComment": "Comentari", + "textContinuousPage": "Pàgina Contínua", + "textCurrentPosition": "Posició Actual", + "textDisplay": "Mostrar", + "textEmptyImgUrl": "Cal que especifiqueu l’URL d'enllaç de la imatge.", + "textEvenPage": "Pàgina parell", + "textFootnote": "Nota a peu de pàgina", + "textFormat": "Format", + "textImage": "Imatge", + "textImageURL": "URL de la imatge ", + "textInsert": "Insertar", + "textInsertFootnote": "Inserir Nota a Peu de Pàgina", + "textInsertImage": "Inserir Imatge", + "textLeftBottom": "Inferior Esquerra", + "textLeftTop": "Superior Esquerra", + "textLink": "Enllaç", + "textLinkSettings": "Propietats de Enllaç", + "textLocation": "Ubicació", + "textNextPage": "Pàgina Següent", + "textOddPage": "Pàgina sanar.", + "textOther": "Altre", + "textPageBreak": "Salt de Pàgina", + "textPageNumber": "Número de Pàgina", + "textPictureFromLibrary": "Imatge de la Llibreria", + "textPictureFromURL": "Imatge de l'URL", + "textPosition": "Posició", + "textRightBottom": "Inferior Dreta", + "textRightTop": "Superior Dreta", + "textRows": "Files", + "textScreenTip": "Consells de Pantalla", + "textSectionBreak": "Salt de Secció", + "textShape": "Forma", + "textStartAt": "Començar A", + "textTable": "Taula", + "textTableSize": "Mida de la Taula", + "txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.exemple.com\"" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Advertiment", + "textAccept": "Acceptar", + "textAcceptAllChanges": "Acceptar tots els canvis", + "textAddComment": "Afegir comentari", + "textAddReply": "Afegir resposta", + "textAllChangesAcceptedPreview": "Tots el canvis acceptats (Previsualitzar)", + "textAllChangesEditing": "Tots els canvis (Edició)", + "textAllChangesRejectedPreview": "Tots els canvis rebutjats (Previsualitzar)", + "textAtLeast": "al menys", + "textAuto": "Automàtic", + "textBack": "Enrere", + "textBaseline": "Línia base", + "textBold": "Negreta", + "textBreakBefore": "Salt de pàgina abans", + "textCancel": "Cancel·lar", + "textCaps": "Tot majúscules", + "textCenter": "Centrar", + "textChart": "Gràfic", + "textCollaboration": "Col·laboració", + "textColor": "Color de Font", + "textComments": "Comentaris", + "textContextual": "No afegir intervals entre paràgrafs del mateix estil", + "textDelete": "Suprimir", + "textDeleteComment": "Suprimir comentari", + "textDeleted": "Suprimit:", + "textDeleteReply": "Suprimir resposta", + "textDisplayMode": "Mode de visualització", + "textDone": "Fet", + "textDStrikeout": "Doble ratllat", + "textEdit": "Editar", + "textEditComment": "Editar Comentari", + "textEditReply": "Editar Resposta", + "textEditUser": "Usuaris que editen el fitxer:", + "textEquation": "Equació", + "textExact": "exactament", + "textFinal": "Final", + "textFirstLine": "Primera línia", + "textFormatted": "Formatat", + "textHighlight": "Color de ressaltat", + "textImage": "Imatge", + "textIndentLeft": "Sagnat a l'esquerra", + "textIndentRight": "Sagnat a la dreta", + "textInserted": "Inserit:", + "textItalic": "Itàlica", + "textJustify": "Justificar", + "textKeepLines": "Mantenir les línies unides", + "textKeepNext": "Mantenir amb el següent", + "textLeft": "Alineació esquerra", + "textLineSpacing": "Espaiat Entre Línies:", + "textMarkup": "Cambis", + "textMessageDeleteComment": "Segur que voleu suprimir aquest comentari?", + "textMessageDeleteReply": "Segur que voleu suprimir aquesta resposta?", + "textMultiple": "Múltiple", + "textNoBreakBefore": "Sense salt de pàgina abans", + "textNoChanges": "No hi ha canvis.", + "textNoComments": "Aquest document no conté comentaris", + "textNoContextual": "Afegir un interval entre els paràgrafs del mateix estil", + "textNoKeepLines": "No mantingueu línies unides", + "textNoKeepNext": "No mantingueu amb el següent", + "textNot": "No", + "textNoWidow": "Sense control de finestra", + "textNum": "Canviar numeració", + "textOriginal": "Original", + "textParaDeleted": "Paràgraf Suprimit ", + "textParaFormatted": "Paràgraf Formatat", + "textParaInserted": "Paràgraf Inserit", + "textParaMoveFromDown": "Mogut Avall:", + "textParaMoveFromUp": "Mogut Amunt:", + "textParaMoveTo": "Mogut:", + "textPosition": "Posició", + "textReject": "Rebutjar", + "textRejectAllChanges": "Rebutjar Tots els Canvis", + "textReopen": "Reobrir", + "textResolve": "Resoldre", + "textReview": "Revisió", + "textReviewChange": "Revisar Canvis", + "textRight": "Alineació dreta", + "textShape": "Forma", + "textShd": "Color de fons", + "textSmallCaps": "Majúscules petites", + "textSpacing": "Espaiat", + "textSpacingAfter": "Espai després", + "textSpacingBefore": "Espai abans", + "textStrikeout": "Ratllar", + "textSubScript": "Subíndex", + "textSuperScript": "Superíndex", + "textTableChanged": "S'ha Canviat la Configuració de la Taula", + "textTableRowsAdd": "S'han afegit files de taula", + "textTableRowsDel": "S'han Suprimit les Files de la Taula", + "textTabs": "Canviar tabulacions", + "textTrackChanges": "Control de Canvis", + "textTryUndoRedo": "Les funcions Desfer/Refer estan desactivades per al mode de coedició ràpida.", + "textUnderline": "Subratllar", + "textUsers": "Usuaris", + "textWidow": "Control de finestra" + }, + "ThemeColorPalette": { + "textCustomColors": "Colors Personalitzats", + "textStandartColors": "Colors Estàndards", + "textThemeColors": "Colors del Tema" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "Les accions de copiar, tallar i enganxar mitjançant el menú contextual només es realitzaran en el fitxer actual.", + "menuAddComment": "Afegir comentari", + "menuAddLink": "Afegir enllaç", + "menuCancel": "Cancel·lar", + "menuDelete": "Suprimir", + "menuDeleteTable": "Suprimir Taula", + "menuEdit": "Editar", + "menuMerge": "Combinar", + "menuMore": "Més", + "menuOpenLink": "Obrir Enllaç", + "menuReview": "Revisió", + "menuReviewChange": "Revisar Canvis", + "menuSplit": "Dividir", + "menuViewComment": "Veure Comentari", + "textColumns": "Columnes", + "textCopyCutPasteActions": "Accions de Copiar, Tallar i Enganxar ", + "textDoNotShowAgain": "No ho tornis a mostrar", + "textRows": "Files" + }, + "Edit": { + "notcriticalErrorTitle": "Advertiment", + "textActualSize": "Mida actual", + "textAddCustomColor": "Afegir color personalitzat", + "textAdditional": "Addicional", + "textAdditionalFormatting": "Format addicional", + "textAddress": "Adreça", + "textAdvanced": "Avançat", + "textAdvancedSettings": "Configuració avançada", + "textAfter": "després", + "textAlign": "Alinear", + "textAllCaps": "Tot majúscules", + "textAllowOverlap": "Permet que se superposin", + "textAuto": "Automàtic", + "textAutomatic": "Automàtic", + "textBack": "Enrere", + "textBackground": "Fons", + "textBandedColumn": "Columna amb bandes", + "textBandedRow": "Fila amb bandes", + "textBefore": "Abans", + "textBehind": "Darrere", + "textBorder": "Vora", + "textBringToForeground": "Portar a primer pla", + "textBulletsAndNumbers": "Vinyetes i números", + "textCellMargins": "Marges de cel·la", + "textChart": "Gràfic", + "textClose": "Tancar", + "textColor": "Color", + "textContinueFromPreviousSection": "Continuar des de la secció anterior", + "textCustomColor": "Color Personalitzat", + "textDifferentFirstPage": "Primera pàgina diferent", + "textDifferentOddAndEvenPages": "Pàgines senars i parelles diferents", + "textDisplay": "Mostrar", + "textDistanceFromText": "Distància des del text", + "textDoubleStrikethrough": "Ratllat Doble", + "textEditLink": "Editar Enllaç", + "textEffects": "Efectes", + "textEmptyImgUrl": "Cal que especifiqueu l’URL d'enllaç de la imatge.", + "textFill": "Omplir", + "textFirstColumn": "Primera Columna", + "textFirstLine": "PrimeraLínia", + "textFlow": "Flux", + "textFontColor": "Color de Font", + "textFontColors": "Colors de Font", + "textFonts": "Fonts", + "textFooter": "Peu de pàgina", + "textHeader": "Capçalera", + "textHeaderRow": "Fila de Capçalera", + "textHighlightColor": "Color de ressaltat", + "textHyperlink": "Hiperenllaç", + "textImage": "Imatge", + "textImageURL": "URL de la imatge ", + "textInFront": "Davant", + "textInline": "Alineat", + "textKeepLinesTogether": "Mantenir les Línies Unides", + "textKeepWithNext": "Mantenir amb el següent", + "textLastColumn": "Última Columna", + "textLetterSpacing": "Espaiat de Lletres", + "textLineSpacing": "Espaiat Entre Línies", + "textLink": "Enllaç", + "textLinkSettings": "Propietats de Enllaç", + "textLinkToPrevious": "Enllaçar a l'anterior", + "textMoveBackward": "Moure Enrere", + "textMoveForward": "Moure Endavant", + "textMoveWithText": "Moure amb el Text", + "textNone": "cap", + "textNoStyles": "No hi ha estils per a aquest tipus de diagrames.", + "textNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.exemple.com\"", + "textOpacity": "Opacitat", + "textOptions": "Opcions", + "textOrphanControl": "Control de línies Orfes", + "textPageBreakBefore": "Salt de pàgina abans", + "textPageNumbering": "Numeració de Pàgines", + "textParagraph": "Paràgraf", + "textParagraphStyles": "Estils de Paràgraf", + "textPictureFromLibrary": "Imatge de la Biblioteca", + "textPictureFromURL": "Imatge de l'URL", + "textPt": "pt", + "textRemoveChart": "Eliminar Diagrama", + "textRemoveImage": "Suprimir Imatge", + "textRemoveLink": "Suprimir Enllaç", + "textRemoveShape": "Suprimir forma", + "textRemoveTable": "Suprimir Taula", + "textReorder": "Reordenar", + "textRepeatAsHeaderRow": "Repetir com a Fila de Capçalera", + "textReplace": "Substitueix", + "textReplaceImage": "Substituir Imatge", + "textResizeToFitContent": "Redimensionar per ajustar el contingut", + "textScreenTip": "Consells de Pantalla", + "textSelectObjectToEdit": "Seleccionar l'objecte a editar", + "textSendToBackground": "Enviar al fons", + "textSettings": "Configuració", + "textShape": "Forma", + "textSize": "Mida", + "textSmallCaps": "Majúscules petites", + "textSpaceBetweenParagraphs": "Espai entre Paràgrafs", + "textSquare": "Quadrat", + "textStartAt": "Començar a", + "textStrikethrough": "Ratllat", + "textStyle": "Estil", + "textStyleOptions": "Opcions d'estil", + "textSubscript": "Subíndex", + "textSuperscript": "Superíndex", + "textTable": "Taula", + "textTableOptions": "Opcions de Taula", + "textText": "Text", + "textThrough": "A través", + "textTight": "Estret", + "textTopAndBottom": "Superior e Inferior", + "textTotalRow": "Fila Total", + "textType": "Tipus", + "textWrap": "Embolcall" + }, + "Error": { + "convertationTimeoutText": "S'ha superat el temps de conversió.", + "criticalErrorExtText": "Premeu «D'acord» per tornar a la llista de documents.", + "criticalErrorTitle": "Error", + "downloadErrorText": "Descàrrega fallida.", + "errorAccessDeny": "Esteu intentant realitzar una acció per la qual no teniu drets.
Si us plau, poseu-vos en contacte amb el vostre administrador.", + "errorBadImageUrl": "L'enllaç de la imatge es incorrecte", + "errorConnectToServer": "No es pot desar aquest doc. Comproveu la configuració de la connexió o poseu-vos en contacte amb l'administrador.
Quan feu clic a D'acord, se us demanarà que baixeu el document.", + "errorDatabaseConnection": "Error extern.
Error de connexió a la base de dades. Si us plau, poseu-vos en contacte amb el servei d'assistència.", + "errorDataEncrypted": "S'han rebut canvis xifrats, que no es poden desxifrar.", + "errorDataRange": "Interval de dades incorrecte.", + "errorDefaultMessage": "Codi d'error: %1", + "errorEditingDownloadas": "S'ha produït un error durant el treball amb el document.
Baixeu-lo per desar la còpia de seguretat del fitxer localment.", + "errorFilePassProtect": "El fitxer està protegit amb contrasenya i no s'ha pogut obrir.", + "errorFileSizeExceed": "La mida del fitxer supera el límit del vostre servidor.
Si us plau, poseu-vos en contacte amb l'administrador.", + "errorKeyEncrypt": "Descriptor de la clau desconegut", + "errorKeyExpire": "El descriptor de la clau ha caducat", + "errorMailMergeLoadFile": "Ha fallat la càrrega", + "errorMailMergeSaveFile": "Ha fallat la fusió.", + "errorSessionAbsolute": "La sessió d'edició del document ha caducat. Torneu a carregar la pàgina.", + "errorSessionIdle": "El document no s'ha editat durant molt de temps. Torneu a carregar la pàgina.", + "errorSessionToken": "S'ha interromput la connexió al servidor. Torneu a carregar la pàgina.", + "errorStockChart": "L'ordre de fila és incorrecte. Per construir un diagrama de valors, poseu les dades al full en el següent ordre:
preu d'obertura, preu màxim, preu mínim, preu de tancament.", + "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.", + "errorUserDrop": "No es pot accedir al fitxer ara mateix.", + "errorUsersExceed": "S'ha superat el nombre d’usuaris permès pel vostre pla", + "errorViewerDisconnect": "S'ha perdut la connexió. Encara podeu veure el document,
, però no podreu baixar-lo fins que es restableixi la connexió i es torni a carregar la pàgina.", + "notcriticalErrorTitle": "Advertiment", + "openErrorText": "S'ha produït un error en obrir el fitxer", + "saveErrorText": "S'ha produït un error en desar el fitxer", + "scriptLoadError": "La connexió és massa lenta, alguns dels components no s'han pogut carregar. Torneu a carregar la pàgina.", + "splitDividerErrorText": "El nombre de files ha de ser un divisor de %1", + "splitMaxColsErrorText": "El nombre de columnes ha de ser inferior a %1", + "splitMaxRowsErrorText": "El nombre de files ha de ser inferior a %1", + "unknownErrorText": "Error desconegut.", + "uploadImageExtMessage": "Format d'imatge desconegut.", + "uploadImageFileCountMessage": "Cap imatge carregada.", + "uploadImageSizeMessage": "La imatge és massa gran. La mida màxima és de 25 MB." + }, + "LongActions": { + "applyChangesTextText": "Carregant dades...", + "applyChangesTitleText": "Carregant Dades", + "downloadMergeText": "Descarregant...", + "downloadMergeTitle": "Descarregant", + "downloadTextText": "Descarregant document...", + "downloadTitleText": "Descarregant Document", + "loadFontsTextText": "Carregant dades...", + "loadFontsTitleText": "Carregant Dades", + "loadFontTextText": "Carregant dades...", + "loadFontTitleText": "Carregant Dades", + "loadImagesTextText": "Carregant imatges...", + "loadImagesTitleText": "Carregant Imatges", + "loadImageTextText": "Carregant imatge...", + "loadImageTitleText": "Carregant Imatge", + "loadingDocumentTextText": "Carregant document...", + "loadingDocumentTitleText": "Carregant document", + "mailMergeLoadFileText": "Carregant l'origen de dades...", + "mailMergeLoadFileTitle": "Carregant l'origen de dades", + "openTextText": "Obrint document...", + "openTitleText": "Obrint Document", + "printTextText": "Imprimint document...", + "printTitleText": "Imprimint Document", + "savePreparingText": "Preparant per desar", + "savePreparingTitle": "Preparant per desar. Si us plau, esperi...", + "saveTextText": "Desant document...", + "saveTitleText": "Desant Document", + "sendMergeText": "S'està enviant la Combinació...", + "sendMergeTitle": "S'està enviant la Combinació", + "textLoadingDocument": "Carregant document", + "txtEditingMode": "Establir el mode d'edició ...", + "uploadImageTextText": "Pujant imatge...", + "uploadImageTitleText": "Pujant Imatge", + "waitText": "Si us plau, esperi..." + }, + "Main": { + "criticalErrorTitle": "Error", + "errorAccessDeny": "Esteu intentant realitzar una acció per a la que no teniu drets.
Si us plau, poseu-vos en contacte amb l'administrador.", + "errorOpensource": "Utilitzant la versió comunitària lliure, només podeu obrir documents per a la seva visualització. Per accedir als editors web mòbils, es requereix una llicència comercial.", + "errorProcessSaveResult": "Error en desar", + "errorServerVersion": "S'ha actualitzat la versió de l'editor. Es tornarà a carregar la pàgina per aplicar els canvis.", + "errorUpdateVersion": "La versió del fitxer s'ha canviat. La pàgina es tornarà a carregar.", + "leavePageText": "Teniu canvis sense desar. Feu clic a \"Mantingueu-vos en aquesta pàgina\" per esperar al desament automàtic. Feu clic a \"Deixar aquesta pàgina\" per descartar tots els canvis no desats.", + "notcriticalErrorTitle": "Advertiment", + "SDK": { + "Diagram Title": "Títol del Gràfic", + "Footer": "Peu de pàgina", + "footnote text": "Text de Nota al Peu de Pàgina", + "Header": "Capçalera", + "Heading 1": "Títol 1", + "Heading 2": "Títol 2", + "Heading 3": "Títol 3", + "Heading 4": "Títol 4", + "Heading 5": "Títol 5", + "Heading 6": "Títol 6", + "Heading 7": "Títol 7", + "Heading 8": "Títol 8", + "Heading 9": "Títol 9", + "Intense Quote": "Cita Destacada", + "List Paragraph": "Paràgraf de la Llista", + "No Spacing": "Sense Espai", + "Normal": "Normal", + "Quote": "Cita", + "Series": "Sèrie", + "Subtitle": "Subtítol", + "Title": "Nom", + "X Axis": "Eix X XAS", + "Y Axis": "Eix Y", + "Your text here": "El seu text aquí" + }, + "textAnonymous": "Anònim", + "textBuyNow": "Visita lloc web", + "textClose": "Tancar", + "textContactUs": "Equip de vendes", + "textCustomLoader": "No teniu permisos per canviar el carregador. Contacteu amb el nostre departament de vendes per obtenir un pressupost.", + "textGuest": "Convidat", + "textHasMacros": "El fitxer conté macros automàtiques.
Voleu executar macros?", + "textNo": "No", + "textNoLicenseTitle": "Heu arribat al límit de la llicència", + "textPaidFeature": "Funció de pagament", + "textRemember": "Recordar la meva elecció", + "textYes": "Sí", + "titleLicenseExp": "Llicència Caducada", + "titleServerVersion": "Editor actualitzat", + "titleUpdateVersion": "Versió canviada", + "warnLicenseExceeded": "Heu assolit el límit per a connexions simultànies a %1 editors. Aquest document només s'obrirà per a la seva visualització. Contacteu amb l'administrador per a conèixer-ne més.", + "warnLicenseExp": "La vostra llicència ha caducat. Si us plau, actualitzeu la vostra llicència i actualitzeu la pàgina.", + "warnLicenseLimitedNoAccess": "La llicència ha caducat. No teniu accés a la funcionalitat d'edició de documents. Contacteu amb el vostre administrador.", + "warnLicenseLimitedRenewed": "Cal renovar la llicència. Teniu accés limitat a la funcionalitat d'edició de documents.
Contacteu amb l'administrador per obtenir accés complet", + "warnLicenseUsersExceeded": "Heu arribat al límit d'usuari per a %1 editors. Contacteu amb l'administrador per conèixer-ne més.", + "warnNoLicense": "Heu assolit el límit per a connexions simultànies a %1 editors. Aquest document només s'obrirà per a la seva visualització. Posa't en contacte amb l'equip de vendes %1 per a les condicions d'actualització personal.", + "warnNoLicenseUsers": "Heu arribat al límit d'usuaris concurrents per a %1 editors.
Contactau l'equip de vendes per a les condicions de millora personal dels vostres serveis.", + "warnProcessRightsChange": "No teniu permís per editar aquest fitxer." + }, + "Settings": { + "advDRMOptions": "Fitxer Protegit", + "advDRMPassword": "Contrasenya", + "advTxtOptions": "Trieu opcions d'arxiu TXT", + "closeButtonText": "Tancar fitxer", + "notcriticalErrorTitle": "Advertiment", + "textAbout": "Quant a...", + "textApplication": "Aplicació", + "textApplicationSettings": "Configuració de l'aplicació", + "textAuthor": "Autor", + "textBack": "Enrere", + "textBottom": "Part inferior", + "textCancel": "Cancel·lar", + "textCaseSensitive": "Sensible a majúscules i minúscules", + "textCentimeter": "Centímetre", + "textCollaboration": "Col·laboració", + "textColorSchemes": "Esquema de Color", + "textComment": "Comentari", + "textComments": "Comentaris", + "textCommentsDisplay": "Mostrar comentaris", + "textCreated": "Creat", + "textCustomSize": "Mida Personalitzada", + "textDisableAll": "Desactivar-ho tot", + "textDisableAllMacrosWithNotification": "Desactivar totes les macros amb notificació", + "textDisableAllMacrosWithoutNotification": "Desactivar totes les macros sense notificació", + "textDocumentInfo": "Informació del Document", + "textDocumentSettings": "Paràmetres del Document", + "textDocumentTitle": "Nom del document", + "textDone": "Fet", + "textDownload": "Descarregar", + "textDownloadAs": "Baixar com a", + "textDownloadRtf": "Si continueu desant en aquest format, es podrien perdre alguns dels formats. Segur que voleu continuar?", + "textDownloadTxt": "\nSi continueu desant en aquest format, es perdran totes les característiques excepte el text. Segur que voleu continuar?", + "textEnableAll": "Activar-ho tot", + "textEnableAllMacrosWithoutNotification": "Activar totes les macros sense notificació", + "textEncoding": "Codificació", + "textFind": "Cercar", + "textFindAndReplace": "Cercar i substituir", + "textFindAndReplaceAll": "Cercar i Substituir Tot", + "textFormat": "Format", + "textHelp": "Ajuda", + "textHiddenTableBorders": "Amagar Vores de la Taula", + "textHighlightResults": "Ressaltar els resultats", + "textInch": "Polzada", + "textLandscape": "Horitzontal", + "textLastModified": "Última Modificació", + "textLastModifiedBy": "Última Modificació Per", + "textLeft": "Esquerra", + "textLoading": "Carregant...", + "textLocation": "Ubicació", + "textMacrosSettings": "Configuració de Macros", + "textMargins": "Marges", + "textMarginsH": "Els marges superior i inferior són massa alts per a una alçada de pàgina determinada", + "textMarginsW": "Els marges esquerre i dret són massa alts per a una amplada de pàgina donada", + "textNoCharacters": "Caràcters no Imprimibles", + "textNoTextFound": "Text no Trobat", + "textOpenFile": "Introduïu una contrasenya per obrir el fitxer", + "textOrientation": "Orientació", + "textOwner": "Propietari", + "textPoint": "Punt", + "textPortrait": "Retrat Vertical", + "textPrint": "Imprimir", + "textReaderMode": "Mode de lectura", + "textReplace": "Substitueix", + "textReplaceAll": "Substituir-ho Tot ", + "textResolvedComments": "Comentaris Resolts", + "textRight": "Dreta", + "textSearch": "Cercar", + "textSettings": "Configuració", + "textShowNotification": "Mostra la Notificació", + "textSpellcheck": "Comprovació Ortogràfica", + "textStatistic": "Estadístiques", + "textSubject": "Assumpte", + "textTitle": "Nom", + "textTop": "Superior", + "textUnitOfMeasurement": "Unitat de Mesura", + "textUploaded": "Penjat", + "txtIncorrectPwd": "La contrasenya és incorrecta", + "txtProtected": "Una vegada entreu la contrasenya i obriu el fitxer, es restablirà la contrasenya actual" + }, + "Toolbar": { + "dlgLeaveMsgText": "Teniu canvis sense desar. Feu clic a \"Mantingueu-vos en aquesta pàgina\" per esperar al desament automàtic. Feu clic a \"Deixar aquesta pàgina\" per descartar tots els canvis no desats.", + "dlgLeaveTitleText": "Deixeu l'aplicació", + "leaveButtonText": "Sortir d'aquesta Pàgina", + "stayButtonText": "Queda't en aquesta pàgina" + } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/de.json b/apps/documenteditor/mobile/locale/de.json index 5c462425b..43623f7f9 100644 --- a/apps/documenteditor/mobile/locale/de.json +++ b/apps/documenteditor/mobile/locale/de.json @@ -1,607 +1,517 @@ { - "Common.Controllers.Collaboration.textAddReply": "Antwort hinzufügen", - "Common.Controllers.Collaboration.textAtLeast": "mindestens", - "Common.Controllers.Collaboration.textAuto": "automatisch", - "Common.Controllers.Collaboration.textBaseline": "Grundlinie", - "Common.Controllers.Collaboration.textBold": "Fett", - "Common.Controllers.Collaboration.textBreakBefore": "Seitenumbruch oberhalb", - "Common.Controllers.Collaboration.textCancel": "Abbrechen", - "Common.Controllers.Collaboration.textCaps": "Alle Großbuchstaben", - "Common.Controllers.Collaboration.textCenter": "Zentriert ausrichten", - "Common.Controllers.Collaboration.textChart": "Diagramm", - "Common.Controllers.Collaboration.textColor": "Schriftfarbe", - "Common.Controllers.Collaboration.textContextual": "Kein Abstand zwischen Absätzen gleicher Formatierung", - "Common.Controllers.Collaboration.textDelete": "Löschen", - "Common.Controllers.Collaboration.textDeleteComment": "Kommentar löschen", - "Common.Controllers.Collaboration.textDeleted": "Gelöscht:", - "Common.Controllers.Collaboration.textDeleteReply": "Antwort löschen", - "Common.Controllers.Collaboration.textDone": "Fertig", - "Common.Controllers.Collaboration.textDStrikeout": "Doppelt durchgestrichen", - "Common.Controllers.Collaboration.textEdit": "Bearbeiten", - "Common.Controllers.Collaboration.textEditUser": "Benutzer, die die Datei bearbeiten:", - "Common.Controllers.Collaboration.textEquation": "Gleichung", - "Common.Controllers.Collaboration.textExact": "genau", - "Common.Controllers.Collaboration.textFirstLine": "Erste Zeile", - "Common.Controllers.Collaboration.textFormatted": "Formatiert", - "Common.Controllers.Collaboration.textHighlight": "Hervorhebungsfarbe", - "Common.Controllers.Collaboration.textImage": "Bild", - "Common.Controllers.Collaboration.textIndentLeft": "Einzug links", - "Common.Controllers.Collaboration.textIndentRight": "Einzug rechts", - "Common.Controllers.Collaboration.textInserted": "Eingefügt:", - "Common.Controllers.Collaboration.textItalic": "Kursiv", - "Common.Controllers.Collaboration.textJustify": "Im Blocksatz ausrichten", - "Common.Controllers.Collaboration.textKeepLines": "Zeilen nicht trennen", - "Common.Controllers.Collaboration.textKeepNext": "Nicht trennen vom nächsten", - "Common.Controllers.Collaboration.textLeft": "Linksbündig ausrichten", - "Common.Controllers.Collaboration.textLineSpacing": "Zeilenabstand:", - "Common.Controllers.Collaboration.textMessageDeleteComment": "Wirklich den Kommentar löschen?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "Wirklich diese Antwort löschen?", - "Common.Controllers.Collaboration.textMultiple": "mehrfach", - "Common.Controllers.Collaboration.textNoBreakBefore": "Keinen Seitenumbruch vorher", - "Common.Controllers.Collaboration.textNoChanges": "Es gibt keine Änderungen", - "Common.Controllers.Collaboration.textNoContextual": "Abstand zwischen Absätzen gleicher Formatierung hinzufügen", - "Common.Controllers.Collaboration.textNoKeepLines": "Halten Sie Zeilen nicht zusammen", - "Common.Controllers.Collaboration.textNoKeepNext": "Trennen vom nächsten", - "Common.Controllers.Collaboration.textNot": "Nicht", - "Common.Controllers.Collaboration.textNoWidow": "Keine Absatzkontrolle (alleinstehende Absatzzeilen)", - "Common.Controllers.Collaboration.textNum": "Nummerierung ändern", - "Common.Controllers.Collaboration.textParaDeleted": "Absatz gelöscht", - "Common.Controllers.Collaboration.textParaFormatted": "Absatz formatiert", - "Common.Controllers.Collaboration.textParaInserted": "Absatz eingefügt", - "Common.Controllers.Collaboration.textParaMoveFromDown": "Nach unten verschoben", - "Common.Controllers.Collaboration.textParaMoveFromUp": "Nach oben verschoben", - "Common.Controllers.Collaboration.textParaMoveTo": "Verschoben:", - "Common.Controllers.Collaboration.textPosition": "Position", - "Common.Controllers.Collaboration.textReopen": "Wiederöffnen", - "Common.Controllers.Collaboration.textResolve": "Lösen", - "Common.Controllers.Collaboration.textRight": "Rechtsbündig ausrichten", - "Common.Controllers.Collaboration.textShape": "Form", - "Common.Controllers.Collaboration.textShd": "Hintergrundfarbe", - "Common.Controllers.Collaboration.textSmallCaps": "Kapitälchen", - "Common.Controllers.Collaboration.textSpacing": "Abstand", - "Common.Controllers.Collaboration.textSpacingAfter": "Abstand nach", - "Common.Controllers.Collaboration.textSpacingBefore": "Abstand vor", - "Common.Controllers.Collaboration.textStrikeout": "Durchgestrichen", - "Common.Controllers.Collaboration.textSubScript": "Tiefgestellt", - "Common.Controllers.Collaboration.textSuperScript": "Hochgestellt", - "Common.Controllers.Collaboration.textTableChanged": "Tabelleneinstellungen sind geändert", - "Common.Controllers.Collaboration.textTableRowsAdd": "Tabellenzeilen sind hinzugefügt", - "Common.Controllers.Collaboration.textTableRowsDel": "Tabellenzeilen sind gelöscht", - "Common.Controllers.Collaboration.textTabs": "Registerkarten ändern", - "Common.Controllers.Collaboration.textUnderline": "Unterstrichen", - "Common.Controllers.Collaboration.textWidow": "Absatzkontrolle (alleinstehende Absatzzeilen)", - "Common.Controllers.Collaboration.textYes": "Ja", - "Common.UI.ThemeColorPalette.textCustomColors": "Benutzerdefinierte Farben", - "Common.UI.ThemeColorPalette.textStandartColors": "Standardfarben", - "Common.UI.ThemeColorPalette.textThemeColors": "Designfarben", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAccept": "Akzeptieren", - "Common.Views.Collaboration.textAcceptAllChanges": "Alle Änderungen annehmen", - "Common.Views.Collaboration.textAddReply": "Antwort hinzufügen", - "Common.Views.Collaboration.textAllChangesAcceptedPreview": "Alle Änderungen übernommen.", - "Common.Views.Collaboration.textAllChangesEditing": "Alle Änderungen (Bearbeitung)", - "Common.Views.Collaboration.textAllChangesRejectedPreview": "Alle Änderungen abgelehnt.", - "Common.Views.Collaboration.textBack": "Zurück", - "Common.Views.Collaboration.textCancel": "Abbrechen", - "Common.Views.Collaboration.textChange": "Änderung überprüfen", - "Common.Views.Collaboration.textCollaboration": "Zusammenarbeit", - "Common.Views.Collaboration.textDisplayMode": "Anzeigemodus", - "Common.Views.Collaboration.textDone": "Fertig", - "Common.Views.Collaboration.textEditReply": "Antwort bearbeiten", - "Common.Views.Collaboration.textEditUsers": "Benutzer", - "Common.Views.Collaboration.textEditСomment": "Kommentar bearbeiten", - "Common.Views.Collaboration.textFinal": "Endgültig", - "Common.Views.Collaboration.textMarkup": "Markup", - "Common.Views.Collaboration.textNoComments": "Dieses Dokument enthält keine Kommentare", - "Common.Views.Collaboration.textOriginal": "Original", - "Common.Views.Collaboration.textReject": "Ablehnen", - "Common.Views.Collaboration.textRejectAllChanges": "Alle Änderungen ablehnen", - "Common.Views.Collaboration.textReview": "Nachverfolgen von Änderungen", - "Common.Views.Collaboration.textReviewing": "Überprüfen", - "Common.Views.Collaboration.textСomments": "Kommentare", - "DE.Controllers.AddContainer.textImage": "Bild", - "DE.Controllers.AddContainer.textOther": "Sonstige", - "DE.Controllers.AddContainer.textShape": "Form", - "DE.Controllers.AddContainer.textTable": "Tabelle", - "DE.Controllers.AddImage.notcriticalErrorTitle": "Warnung", - "DE.Controllers.AddImage.textEmptyImgUrl": "Sie müssen eine Bild-URL angeben.", - "DE.Controllers.AddImage.txtNotUrl": "Dieses Feld muss URL im Format \"http://www.example.com\" sein", - "DE.Controllers.AddOther.notcriticalErrorTitle": "Warnung", - "DE.Controllers.AddOther.textBelowText": "Unterhalb des Textes", - "DE.Controllers.AddOther.textBottomOfPage": "Seitenende", - "DE.Controllers.AddOther.textCancel": "Abbrechen", - "DE.Controllers.AddOther.textContinue": "Fortsetzen", - "DE.Controllers.AddOther.textDelete": "Löschen", - "DE.Controllers.AddOther.textDeleteDraft": "Wirklich den Entwurf löschen?", - "DE.Controllers.AddOther.txtNotUrl": "Dieses Feld muss URL im Format \"http://www.example.com\" sein", - "DE.Controllers.AddTable.textCancel": "Abbrechen", - "DE.Controllers.AddTable.textColumns": "Spalten", - "DE.Controllers.AddTable.textRows": "Zeilen", - "DE.Controllers.AddTable.textTableSize": "Tabellengröße", - "DE.Controllers.DocumentHolder.errorCopyCutPaste": "Funktionen 'Kopieren', 'Ausschneiden' und 'Einfügen' über das Kontextmenü werden nur in der aktuellen Datei ausgeführt.", - "DE.Controllers.DocumentHolder.menuAddComment": "Kommentar hinzufügen", - "DE.Controllers.DocumentHolder.menuAddLink": "Link hinzufügen", - "DE.Controllers.DocumentHolder.menuCopy": "Kopieren", - "DE.Controllers.DocumentHolder.menuCut": "Ausschneiden", - "DE.Controllers.DocumentHolder.menuDelete": "Löschen", - "DE.Controllers.DocumentHolder.menuDeleteTable": "Tabelle löschen", - "DE.Controllers.DocumentHolder.menuEdit": "Bearbeiten", - "DE.Controllers.DocumentHolder.menuMerge": "Zellen verbinden", - "DE.Controllers.DocumentHolder.menuMore": "Mehr", - "DE.Controllers.DocumentHolder.menuOpenLink": "Link öffnen", - "DE.Controllers.DocumentHolder.menuPaste": "Einfügen", - "DE.Controllers.DocumentHolder.menuReview": "Review", - "DE.Controllers.DocumentHolder.menuReviewChange": "Änderung überprüfen", - "DE.Controllers.DocumentHolder.menuSplit": "Zelle teilen", - "DE.Controllers.DocumentHolder.menuViewComment": "Kommentar anzeigen", - "DE.Controllers.DocumentHolder.sheetCancel": "Abbrechen", - "DE.Controllers.DocumentHolder.textCancel": "Abbrechen", - "DE.Controllers.DocumentHolder.textColumns": "Spalten", - "DE.Controllers.DocumentHolder.textCopyCutPasteActions": "Funktionen \"Kopieren\", \"Ausschneiden\" und \"Einfügen\"", - "DE.Controllers.DocumentHolder.textDoNotShowAgain": "Nicht wieder anzeigen", - "DE.Controllers.DocumentHolder.textGuest": "Gast", - "DE.Controllers.DocumentHolder.textRows": "Zeilen", - "DE.Controllers.EditContainer.textChart": "Diagramm", - "DE.Controllers.EditContainer.textFooter": "Fußzeile", - "DE.Controllers.EditContainer.textHeader": "Kopfzeile", - "DE.Controllers.EditContainer.textHyperlink": "Hyperlink", - "DE.Controllers.EditContainer.textImage": "Bild", - "DE.Controllers.EditContainer.textParagraph": "Absatz", - "DE.Controllers.EditContainer.textSettings": "Einstellungen", - "DE.Controllers.EditContainer.textShape": "Form", - "DE.Controllers.EditContainer.textTable": "Tabelle", - "DE.Controllers.EditContainer.textText": "Text", - "DE.Controllers.EditHyperlink.notcriticalErrorTitle": "Warnung", - "DE.Controllers.EditHyperlink.textEmptyImgUrl": "Sie müssen die URL des Bildes angeben.", - "DE.Controllers.EditHyperlink.txtNotUrl": "Dieses Feld muss URL im Format \"http://www.example.com\" sein", - "DE.Controllers.EditImage.notcriticalErrorTitle": "Warnung", - "DE.Controllers.EditImage.textEmptyImgUrl": "Sie müssen eine Bild-URL angeben.", - "DE.Controllers.EditImage.txtNotUrl": "Dieses Feld muss URL im Format \"http://www.example.com\" sein", - "DE.Controllers.EditText.textAuto": "Automatisch", - "DE.Controllers.EditText.textFonts": "Schriftarten", - "DE.Controllers.EditText.textPt": "pt", - "DE.Controllers.Main.advDRMEnterPassword": "Kennwort eingeben", - "DE.Controllers.Main.advDRMOptions": "Geschützte Datei", - "DE.Controllers.Main.advDRMPassword": "Kennwort", - "DE.Controllers.Main.advTxtOptions": "Optionen für TXT-Dateien wählen", - "DE.Controllers.Main.applyChangesTextText": "Daten werden geladen...", - "DE.Controllers.Main.applyChangesTitleText": "Daten werden geladen", - "DE.Controllers.Main.closeButtonText": "Datei schließen", - "DE.Controllers.Main.convertationTimeoutText": "Zeitüberschreitung bei der Konvertierung.", - "DE.Controllers.Main.criticalErrorExtText": "Drücken Sie \"OK\", um zur Dokumentenliste zurückzukehren.", - "DE.Controllers.Main.criticalErrorTitle": "Fehler", - "DE.Controllers.Main.downloadErrorText": "Herunterladen ist fehlgeschlagen.", - "DE.Controllers.Main.downloadMergeText": "Wird heruntergeladen...", - "DE.Controllers.Main.downloadMergeTitle": "Wird heruntergeladen", - "DE.Controllers.Main.downloadTextText": "Dokument wird heruntergeladen...", - "DE.Controllers.Main.downloadTitleText": "Herunterladen des Dokuments", - "DE.Controllers.Main.errorAccessDeny": "Sie versuchen, eine Aktion durchzuführen, für die Sie keine Rechte haben.
Bitte wenden Sie sich an Ihren Document Serveradministrator.", - "DE.Controllers.Main.errorBadImageUrl": "URL des Bildes ist falsch", - "DE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server ist verloren gegangen. Sie können nicht mehr editieren.", - "DE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.", - "DE.Controllers.Main.errorDatabaseConnection": "Externer Fehler.
Datenbank-Verbindungsfehler. Wenden Sie sich an den Support.", - "DE.Controllers.Main.errorDataEncrypted": "Änderungen wurden verschlüsselt. Sie können nicht entschlüsselt werden.", - "DE.Controllers.Main.errorDataRange": "Falscher Datenbereich.", - "DE.Controllers.Main.errorDefaultMessage": "Fehlercode: %1", - "DE.Controllers.Main.errorEditingDownloadas": "Bei der Verarbeitung des Dokuments ist ein Fehler aufgetreten.
Verwenden Sie die Option \"Herunterladen\", um die Sicherungskopie der Datei auf der Festplatte Ihres Computers zu speichern.", - "DE.Controllers.Main.errorFilePassProtect": "Das Dokument ist kennwortgeschützt und kann nicht geöffnet werden.", - "DE.Controllers.Main.errorFileSizeExceed": "Die Dateigröße überschreitet die für Ihren Server festgelegte Einschränkung.
Weitere Informationen können Sie von Ihrem Document Server-Administrator erhalten.", - "DE.Controllers.Main.errorKeyEncrypt": "Unbekannter Schlüsseldeskriptor", - "DE.Controllers.Main.errorKeyExpire": "Der Schlüsseldeskriptor ist abgelaufen", - "DE.Controllers.Main.errorMailMergeLoadFile": "Fehler beim Laden des Dokuments. Bitte wählen Sie eine andere Datei.", - "DE.Controllers.Main.errorMailMergeSaveFile": "Verbinden ist fehlgeschlagen.", - "DE.Controllers.Main.errorOpensource": "Sie können in der kostenlosen Community-Version nur Dokumente zu betrachten öffnen. Eine kommerzielle Lizenz ist für die Nutzung der mobilen Web-Editoren erforderlich.", - "DE.Controllers.Main.errorProcessSaveResult": "Fehler beim Speichern von Daten.", - "DE.Controllers.Main.errorServerVersion": "Editor-Version wurde aktualisiert. Die Seite wird neu geladen, um die Änderungen zu übernehmen.", - "DE.Controllers.Main.errorSessionAbsolute": "Die Bearbeitungssitzung des Dokumentes ist abgelaufen. Laden Sie bitte die Seite neu.", - "DE.Controllers.Main.errorSessionIdle": "Das Dokument wurde lange nicht bearbeitet. Laden Sie bitte die Seite neu.", - "DE.Controllers.Main.errorSessionToken": "Die Verbindung zum Server wurde unterbrochen. Laden Sie bitte die Seite neu.", - "DE.Controllers.Main.errorStockChart": "Falsche Reihenfolge der Zeilen. Um ein Kursdiagramm zu erstellen, ordnen Sie die Daten auf dem Blatt folgendermaßen an:
Eröffnungspreis, Höchstpreis, Tiefstpreis, Schlusskurs.", - "DE.Controllers.Main.errorUpdateVersion": "Die Dateiversion wurde geändert. Die Seite wird neu geladen.", - "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "Die Internetverbindung wurde wiederhergestellt und die Dateiversion wurde geändert.
Bevor Sie weiterarbeiten können, müssen Sie die Datei herunterladen oder den Inhalt kopieren, um sicherzustellen, dass nichts verloren geht, und diese Seite anschließend neu laden.", - "DE.Controllers.Main.errorUserDrop": "Kein Zugriff auf diese Datei ist möglich.", - "DE.Controllers.Main.errorUsersExceed": "Die Anzahl der Benutzer ist überschritten ", - "DE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist unterbrochen. Sie können das Dokument anschauen,
aber nicht herunterladen bis die Verbindung wiederhergestellt und die Seite neu geladen wird.", - "DE.Controllers.Main.leavePageText": "Dieses Dokument enthält ungespeicherte Änderungen. Klicken Sie \"Auf dieser Seite bleiben\", um auf automatisches Speichern des Dokumentes zu warten. Klicken Sie \"Diese Seite verlassen\", um alle nicht gespeicherten Änderungen zu verwerfen.", - "DE.Controllers.Main.loadFontsTextText": "Daten werden geladen...", - "DE.Controllers.Main.loadFontsTitleText": "Daten werden geladen", - "DE.Controllers.Main.loadFontTextText": "Daten werden geladen...", - "DE.Controllers.Main.loadFontTitleText": "Daten werden geladen", - "DE.Controllers.Main.loadImagesTextText": "Bilder werden geladen...", - "DE.Controllers.Main.loadImagesTitleText": "Bilder werden geladen", - "DE.Controllers.Main.loadImageTextText": "Bild wird geladen...", - "DE.Controllers.Main.loadImageTitleText": "Bild wird geladen", - "DE.Controllers.Main.loadingDocumentTextText": "Dokument wird geladen...", - "DE.Controllers.Main.loadingDocumentTitleText": "Dokument wird geladen", - "DE.Controllers.Main.mailMergeLoadFileText": "Laden der Datenquellen...", - "DE.Controllers.Main.mailMergeLoadFileTitle": "Laden der Datenquellen", - "DE.Controllers.Main.notcriticalErrorTitle": "Achtung", - "DE.Controllers.Main.openErrorText": "Beim Öffnen dieser Datei ist ein Fehler aufgetreten.", - "DE.Controllers.Main.openTextText": "Dokument wird geöffnet...", - "DE.Controllers.Main.openTitleText": "Das Dokument wird geöffnet", - "DE.Controllers.Main.printTextText": "Dokument wird ausgedruckt...", - "DE.Controllers.Main.printTitleText": "Drucken des Dokuments", - "DE.Controllers.Main.saveErrorText": "Beim Speichern dieser Datei ist ein Fehler aufgetreten.", - "DE.Controllers.Main.savePreparingText": "Speichervorbereitung", - "DE.Controllers.Main.savePreparingTitle": "Speichervorbereitung. Bitte warten...", - "DE.Controllers.Main.saveTextText": "Dokument wird gespeichert...", - "DE.Controllers.Main.saveTitleText": "Dokument wird gespeichert...", - "DE.Controllers.Main.scriptLoadError": "Die Verbindung ist zu langsam, einige der Komponenten konnten nicht geladen werden. Bitte laden Sie die Seite erneut.", - "DE.Controllers.Main.sendMergeText": "Merge-Vesand...", - "DE.Controllers.Main.sendMergeTitle": "Merge-Vesand", - "DE.Controllers.Main.splitDividerErrorText": "Die Anzahl der Zeilen muss einen Divisor von %1 sein. ", - "DE.Controllers.Main.splitMaxColsErrorText": "Spaltenanzahl muss weniger als %1 sein", - "DE.Controllers.Main.splitMaxRowsErrorText": "Die Anzahl der Zeilen muss weniger als %1 sein", - "DE.Controllers.Main.textAnonymous": "Anonym", - "DE.Controllers.Main.textBack": "Zurück", - "DE.Controllers.Main.textBuyNow": "Webseite besuchen", - "DE.Controllers.Main.textCancel": "Abbrechen", - "DE.Controllers.Main.textClose": "Schließen", - "DE.Controllers.Main.textContactUs": "Verkaufsteam", - "DE.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.", - "DE.Controllers.Main.textDone": "Fertig", - "DE.Controllers.Main.textGuest": "Gast", - "DE.Controllers.Main.textHasMacros": "Diese Datei beinhaltet Makros.
Möchten Sie Makros ausführen?", - "DE.Controllers.Main.textLoadingDocument": "Dokument wird geladen", - "DE.Controllers.Main.textNo": "Nein", - "DE.Controllers.Main.textNoLicenseTitle": "Lizenzlimit erreicht", - "DE.Controllers.Main.textOK": "OK", - "DE.Controllers.Main.textPaidFeature": "Kostenpflichtige Funktion", - "DE.Controllers.Main.textPassword": "Kennwort", - "DE.Controllers.Main.textPreloader": "Ladevorgang...", - "DE.Controllers.Main.textRemember": "Meine Entscheidung für alle Dateien merken", - "DE.Controllers.Main.textTryUndoRedo": "Undo/Redo Optionen sind für den halbformalen Zusammenbearbeitungsmodus deaktiviert.", - "DE.Controllers.Main.textUsername": "Benutzername", - "DE.Controllers.Main.textYes": "Ja", - "DE.Controllers.Main.titleLicenseExp": "Lizenz ist abgelaufen", - "DE.Controllers.Main.titleServerVersion": "Editor wurde aktualisiert", - "DE.Controllers.Main.titleUpdateVersion": "Version wurde geändert", - "DE.Controllers.Main.txtAbove": "Oben", - "DE.Controllers.Main.txtArt": "Hier den Text eingeben", - "DE.Controllers.Main.txtBelow": "Unten", - "DE.Controllers.Main.txtCurrentDocument": "Aktuelles Dokument", - "DE.Controllers.Main.txtDiagramTitle": "Diagrammtitel", - "DE.Controllers.Main.txtEditingMode": "Bearbeitungsmodus einschalten...", - "DE.Controllers.Main.txtEvenPage": "Gerade Seite", - "DE.Controllers.Main.txtFirstPage": "Erste Seite", - "DE.Controllers.Main.txtFooter": "Fußzeile", - "DE.Controllers.Main.txtHeader": "Kopfzeile", - "DE.Controllers.Main.txtOddPage": "Ungerade Seite", - "DE.Controllers.Main.txtOnPage": "auf Seite", - "DE.Controllers.Main.txtProtected": "Sobald Sie das Passwort eingegeben und die Datei geöffnet haben, wird das aktuelle Passwort für die Datei zurückgesetzt", - "DE.Controllers.Main.txtSameAsPrev": "Wie vorherige", - "DE.Controllers.Main.txtSection": "-Abschnitt", - "DE.Controllers.Main.txtSeries": "Reihen", - "DE.Controllers.Main.txtStyle_footnote_text": "Fußnotentext", - "DE.Controllers.Main.txtStyle_Heading_1": "Überschrift 1", - "DE.Controllers.Main.txtStyle_Heading_2": "Überschrift 2", - "DE.Controllers.Main.txtStyle_Heading_3": "Überschrift 3", - "DE.Controllers.Main.txtStyle_Heading_4": "Überschrift 4", - "DE.Controllers.Main.txtStyle_Heading_5": "Überschrift 5", - "DE.Controllers.Main.txtStyle_Heading_6": "Überschrift 6", - "DE.Controllers.Main.txtStyle_Heading_7": "Überschrift 7", - "DE.Controllers.Main.txtStyle_Heading_8": "Überschrift 8", - "DE.Controllers.Main.txtStyle_Heading_9": "Überschrift 9", - "DE.Controllers.Main.txtStyle_Intense_Quote": "Intensives Zitat", - "DE.Controllers.Main.txtStyle_List_Paragraph": "Listenabsatz", - "DE.Controllers.Main.txtStyle_No_Spacing": "Kein Abstand", - "DE.Controllers.Main.txtStyle_Normal": "Normal", - "DE.Controllers.Main.txtStyle_Quote": "Zitat", - "DE.Controllers.Main.txtStyle_Subtitle": "Untertitel", - "DE.Controllers.Main.txtStyle_Title": "Titel", - "DE.Controllers.Main.txtXAxis": "x-Achse", - "DE.Controllers.Main.txtYAxis": "y-Achse", - "DE.Controllers.Main.unknownErrorText": "Unbekannter Fehler.", - "DE.Controllers.Main.unsupportedBrowserErrorText": "Ihr Webbrowser wird nicht unterstützt.", - "DE.Controllers.Main.uploadImageExtMessage": "Unbekanntes Bildformat.", - "DE.Controllers.Main.uploadImageFileCountMessage": "Keine Bilder sind hochgeladen.", - "DE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße ist überschritten.", - "DE.Controllers.Main.uploadImageTextText": "Bild wird hochgeladen...", - "DE.Controllers.Main.uploadImageTitleText": "Bild wird hochgeladen", - "DE.Controllers.Main.waitText": "Bitte warten...", - "DE.Controllers.Main.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.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen.
Bitte aktualisieren Sie Ihre Lizenz und laden Sie die Seite neu.", - "DE.Controllers.Main.warnLicenseLimitedNoAccess": "Die Lizenz ist abgelaufen.
Die Bearbeitungsfunktionen sind nicht verfügbar.
Bitte wenden Sie sich an Ihrem Administrator.", - "DE.Controllers.Main.warnLicenseLimitedRenewed": "Die Lizenz soll aktualisiert werden.
Die Bearbeitungsfunktionen sind eingeschränkt.
Bitte wenden Sie sich an Ihrem Administrator für vollen Zugriff", - "DE.Controllers.Main.warnLicenseUsersExceeded": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte wenden Sie sich an Ihren Administrator, um weitere Informationen zu erhalten.", - "DE.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.", - "DE.Controllers.Main.warnNoLicenseUsers": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.", - "DE.Controllers.Main.warnProcessRightsChange": "Das Recht, die Datei zu bearbeiten, wurde Ihnen verweigert.", - "DE.Controllers.Search.textNoTextFound": "Der Text wurde nicht gefunden.", - "DE.Controllers.Search.textReplaceAll": "Alle ersetzen", - "DE.Controllers.Settings.notcriticalErrorTitle": "Achtung", - "DE.Controllers.Settings.textCustomSize": "Benutzerdefinierte Größe", - "DE.Controllers.Settings.txtLoading": "Ladevorgang...", - "DE.Controllers.Settings.unknownText": "Unbekannt", - "DE.Controllers.Settings.warnDownloadAs": "Wenn Sie mit dem Speichern in diesem Format fortsetzen, werden alle Objekte außer Text verloren gehen.
Möchten Sie wirklich fortsetzen?", - "DE.Controllers.Settings.warnDownloadAsRTF": "Wenn Sie mit dem Speichern in diesem Format fortsetzen, kann die Formatierung teilweise verloren gehen.
Möchten Sie wirklich fortsetzen?", - "DE.Controllers.Toolbar.dlgLeaveMsgText": "Dieses Dokument enthält ungespeicherte Änderungen. Klicken Sie \"Auf dieser Seite bleiben\", um auf automatisches Speichern des Dokumentes zu warten. Klicken Sie \"Diese Seite verlassen\", um alle nicht gespeicherten Änderungen zu verwerfen.", - "DE.Controllers.Toolbar.dlgLeaveTitleText": "Sie verlassen die Anwendung", - "DE.Controllers.Toolbar.leaveButtonText": "Seite verlassen", - "DE.Controllers.Toolbar.stayButtonText": "Auf dieser Seite bleiben", - "DE.Views.AddImage.textAddress": "Adresse", - "DE.Views.AddImage.textBack": "Zurück", - "DE.Views.AddImage.textFromLibrary": "Bild aus der Bibliothek", - "DE.Views.AddImage.textFromURL": "Bild aus URL", - "DE.Views.AddImage.textImageURL": "Bild URL", - "DE.Views.AddImage.textInsertImage": "Bild einfügen", - "DE.Views.AddImage.textLinkSettings": "Verknüpfungseinstellungen", - "DE.Views.AddOther.textAddComment": "Kommentar hinzufügen", - "DE.Views.AddOther.textAddLink": "Link hinzufügen", - "DE.Views.AddOther.textBack": "Zurück", - "DE.Views.AddOther.textBreak": "Pause", - "DE.Views.AddOther.textCenterBottom": "Mitte Unten", - "DE.Views.AddOther.textCenterTop": "Mitte oben", - "DE.Views.AddOther.textColumnBreak": "Spaltenumbruch", - "DE.Views.AddOther.textComment": "Kommentar", - "DE.Views.AddOther.textContPage": "Fortlaufende Seite", - "DE.Views.AddOther.textCurrentPos": "Aktuelle Position", - "DE.Views.AddOther.textDisplay": "Anzeigen", - "DE.Views.AddOther.textDone": "Fertig", - "DE.Views.AddOther.textEvenPage": "Gerade Seite", - "DE.Views.AddOther.textFootnote": "Fußnote", - "DE.Views.AddOther.textFormat": "Format", - "DE.Views.AddOther.textInsert": "Einfügen", - "DE.Views.AddOther.textInsertFootnote": "Fußnote einfügen", - "DE.Views.AddOther.textLeftBottom": "Links unten", - "DE.Views.AddOther.textLeftTop": "Links oben", - "DE.Views.AddOther.textLink": "Link", - "DE.Views.AddOther.textLocation": "Speicherort", - "DE.Views.AddOther.textNextPage": "Nächste Seite", - "DE.Views.AddOther.textOddPage": "Ungerade Seite", - "DE.Views.AddOther.textPageBreak": "Seitenumbruch", - "DE.Views.AddOther.textPageNumber": "Seitenzahl", - "DE.Views.AddOther.textPosition": "Position", - "DE.Views.AddOther.textRightBottom": "Rechts unten", - "DE.Views.AddOther.textRightTop": "Rechts oben", - "DE.Views.AddOther.textSectionBreak": "Abschnittsumbruch", - "DE.Views.AddOther.textStartFrom": "Beginnen bei", - "DE.Views.AddOther.textTip": "Info-Tipp", - "DE.Views.EditChart.textAddCustomColor": "Eine benutzerdefinierte Farbe hinzufügen", - "DE.Views.EditChart.textAlign": "Ausrichtung", - "DE.Views.EditChart.textBack": "Zurück", - "DE.Views.EditChart.textBackward": "Rückwärts navigieren", - "DE.Views.EditChart.textBehind": "Dahinter", - "DE.Views.EditChart.textBorder": "Rahmen", - "DE.Views.EditChart.textColor": "Farbe", - "DE.Views.EditChart.textCustomColor": "Benutzerdefinierte Farbe", - "DE.Views.EditChart.textDistanceText": "Abstand vom Text", - "DE.Views.EditChart.textFill": "Füllung", - "DE.Views.EditChart.textForward": "Vorwärts navigieren", - "DE.Views.EditChart.textInFront": "Vorne", - "DE.Views.EditChart.textInline": "Inline", - "DE.Views.EditChart.textMoveText": "Mit Text verschieben", - "DE.Views.EditChart.textOverlap": "Überlappen zulassen", - "DE.Views.EditChart.textRemoveChart": "Diagramm entfernen", - "DE.Views.EditChart.textReorder": "Neu ordnen", - "DE.Views.EditChart.textSize": "Größe", - "DE.Views.EditChart.textSquare": "Eckig", - "DE.Views.EditChart.textStyle": "Stil", - "DE.Views.EditChart.textThrough": "Durchgehend", - "DE.Views.EditChart.textTight": "Passend", - "DE.Views.EditChart.textToBackground": "In den Hintergrund senden", - "DE.Views.EditChart.textToForeground": "In den Vordergrund bringen", - "DE.Views.EditChart.textTopBottom": "Oben und unten", - "DE.Views.EditChart.textType": "Typ", - "DE.Views.EditChart.textWrap": "Umbrechen", - "DE.Views.EditHeader.textDiffFirst": "Erste Seite anders", - "DE.Views.EditHeader.textDiffOdd": "Untersch. gerade/ungerade Seiten", - "DE.Views.EditHeader.textFrom": "Starten mit", - "DE.Views.EditHeader.textPageNumbering": "Seitennummerierung", - "DE.Views.EditHeader.textPrev": "Beim vorherigen Abschnitt fortsetzen", - "DE.Views.EditHeader.textSameAs": "Mit vorheriger verknüpfen", - "DE.Views.EditHyperlink.textDisplay": "Anzeigen", - "DE.Views.EditHyperlink.textEdit": "Link bearbeiten", - "DE.Views.EditHyperlink.textLink": "Link", - "DE.Views.EditHyperlink.textRemove": "Link entfernen", - "DE.Views.EditHyperlink.textTip": "Info-Tipp", - "DE.Views.EditImage.textAddress": "Adresse", - "DE.Views.EditImage.textAlign": "Ausrichtung", - "DE.Views.EditImage.textBack": "Zurück", - "DE.Views.EditImage.textBackward": "Rückwärts navigieren", - "DE.Views.EditImage.textBehind": "Dahinter", - "DE.Views.EditImage.textDefault": "Tatsächliche Größe", - "DE.Views.EditImage.textDistanceText": "Abstand vom Text", - "DE.Views.EditImage.textForward": "Vorwärts navigieren", - "DE.Views.EditImage.textFromLibrary": "Bild aus der Bibliothek", - "DE.Views.EditImage.textFromURL": "Bild aus URL", - "DE.Views.EditImage.textImageURL": "Bild URL", - "DE.Views.EditImage.textInFront": "Vorne", - "DE.Views.EditImage.textInline": "Inline", - "DE.Views.EditImage.textLinkSettings": "Verknüpfungseinstellungen", - "DE.Views.EditImage.textMoveText": "Mit Text verschieben", - "DE.Views.EditImage.textOverlap": "Überlappen zulassen", - "DE.Views.EditImage.textRemove": "Bild entfernen", - "DE.Views.EditImage.textReorder": "Neu ordnen", - "DE.Views.EditImage.textReplace": "Ersetzen", - "DE.Views.EditImage.textReplaceImg": "Bild ersetzen", - "DE.Views.EditImage.textSquare": "Eckig", - "DE.Views.EditImage.textThrough": "Durchgehend", - "DE.Views.EditImage.textTight": "Passend", - "DE.Views.EditImage.textToBackground": "In den Hintergrund senden", - "DE.Views.EditImage.textToForeground": "In den Vordergrund bringen", - "DE.Views.EditImage.textTopBottom": "Oben und unten", - "DE.Views.EditImage.textWrap": "Umbrechen", - "DE.Views.EditParagraph.textAddCustomColor": "Eine benutzerdefinierte Farbe hinzufügen", - "DE.Views.EditParagraph.textAdvanced": "Erweitert", - "DE.Views.EditParagraph.textAdvSettings": "Erweiterte Einstellungen", - "DE.Views.EditParagraph.textAfter": "Nach", - "DE.Views.EditParagraph.textAuto": "Automatisch", - "DE.Views.EditParagraph.textBack": "Zurück", - "DE.Views.EditParagraph.textBackground": "Hintergrund", - "DE.Views.EditParagraph.textBefore": "Vor ", - "DE.Views.EditParagraph.textCustomColor": "Benutzerdefinierte Farbe", - "DE.Views.EditParagraph.textFirstLine": "Erste Zeile", - "DE.Views.EditParagraph.textFromText": "Abstand vom Text", - "DE.Views.EditParagraph.textKeepLines": "Absatz zusammenhalten", - "DE.Views.EditParagraph.textKeepNext": "Nicht vom nächsten Absatz trennen", - "DE.Views.EditParagraph.textOrphan": "Absatzkontrolle", - "DE.Views.EditParagraph.textPageBreak": "Seitenumbruch oberhalb", - "DE.Views.EditParagraph.textPrgStyles": "Absatzformatvorlage", - "DE.Views.EditParagraph.textSpaceBetween": "Abstand zwischen Absätzen", - "DE.Views.EditShape.textAddCustomColor": "Eine benutzerdefinierte Farbe hinzufügen", - "DE.Views.EditShape.textAlign": "Ausrichtung", - "DE.Views.EditShape.textBack": "Zurück", - "DE.Views.EditShape.textBackward": "Rückwärts navigieren", - "DE.Views.EditShape.textBehind": "Dahinter", - "DE.Views.EditShape.textBorder": "Rahmen", - "DE.Views.EditShape.textColor": "Farbe", - "DE.Views.EditShape.textCustomColor": "Benutzerdefinierte Farbe", - "DE.Views.EditShape.textEffects": "Effekte", - "DE.Views.EditShape.textFill": "Füllung", - "DE.Views.EditShape.textForward": "Vorwärts navigieren", - "DE.Views.EditShape.textFromText": "Abstand vom Text", - "DE.Views.EditShape.textInFront": "Vorne", - "DE.Views.EditShape.textInline": "Inline", - "DE.Views.EditShape.textOpacity": "Undurchsichtigkeit", - "DE.Views.EditShape.textOverlap": "Überlappen zulassen", - "DE.Views.EditShape.textRemoveShape": "AutoForm entfernen", - "DE.Views.EditShape.textReorder": "Neu ordnen", - "DE.Views.EditShape.textReplace": "Ersetzen", - "DE.Views.EditShape.textSize": "Größe", - "DE.Views.EditShape.textSquare": "Eckig", - "DE.Views.EditShape.textStyle": "Stil", - "DE.Views.EditShape.textThrough": "Durchgehend", - "DE.Views.EditShape.textTight": "Passend", - "DE.Views.EditShape.textToBackground": "In den Hintergrund senden", - "DE.Views.EditShape.textToForeground": "In den Vordergrund bringen", - "DE.Views.EditShape.textTopAndBottom": "Oben und unten", - "DE.Views.EditShape.textWithText": "Mit Text verschieben", - "DE.Views.EditShape.textWrap": "Umbrechen", - "DE.Views.EditTable.textAddCustomColor": "Eine benutzerdefinierte Farbe hinzufügen", - "DE.Views.EditTable.textAlign": "Ausrichtung", - "DE.Views.EditTable.textBack": "Zurück", - "DE.Views.EditTable.textBandedColumn": "Gebänderte Spalten", - "DE.Views.EditTable.textBandedRow": "Gebänderte Zeilen", - "DE.Views.EditTable.textBorder": "Rahmen", - "DE.Views.EditTable.textCellMargins": "Zellenränder", - "DE.Views.EditTable.textColor": "Farbe", - "DE.Views.EditTable.textCustomColor": "Benutzerdefinierte Farbe", - "DE.Views.EditTable.textFill": "Füllung", - "DE.Views.EditTable.textFirstColumn": "Erste Spalte", - "DE.Views.EditTable.textFlow": "Bewegungsart", - "DE.Views.EditTable.textFromText": "Abstand vom Text", - "DE.Views.EditTable.textHeaderRow": "Kopfzeile", - "DE.Views.EditTable.textInline": "Inline", - "DE.Views.EditTable.textLastColumn": "Letzte Spalte", - "DE.Views.EditTable.textOptions": "Optionen", - "DE.Views.EditTable.textRemoveTable": "Tabelle entfernen", - "DE.Views.EditTable.textRepeatHeader": "Als Überschriftenzeile wiederholen", - "DE.Views.EditTable.textResizeFit": "Anassen an die Größe des Inhalts", - "DE.Views.EditTable.textSize": "Größe", - "DE.Views.EditTable.textStyle": "Stil", - "DE.Views.EditTable.textStyleOptions": "Formatoptionen", - "DE.Views.EditTable.textTableOptions": "Tabellenoptionen", - "DE.Views.EditTable.textTotalRow": "Ergebniszeile", - "DE.Views.EditTable.textWithText": "Mit Text verschieben", - "DE.Views.EditTable.textWrap": "Umbrechen", - "DE.Views.EditText.textAddCustomColor": "Eine benutzerdefinierte Farbe hinzufügen", - "DE.Views.EditText.textAdditional": "Zusätzlich", - "DE.Views.EditText.textAdditionalFormat": "Zusätzliche Formatierung", - "DE.Views.EditText.textAllCaps": "Alle Großbuchstaben", - "DE.Views.EditText.textAutomatic": "Automatisch", - "DE.Views.EditText.textBack": "Zurück", - "DE.Views.EditText.textBullets": "Aufzählung", - "DE.Views.EditText.textCharacterBold": "B", - "DE.Views.EditText.textCharacterItalic": "I", - "DE.Views.EditText.textCharacterStrikethrough": "S", - "DE.Views.EditText.textCharacterUnderline": "U", - "DE.Views.EditText.textCustomColor": "Benutzerdefinierte Farbe", - "DE.Views.EditText.textDblStrikethrough": "Doppeltes Durchstreichen", - "DE.Views.EditText.textDblSuperscript": "Hochgestellt", - "DE.Views.EditText.textFontColor": "Schriftfarbe", - "DE.Views.EditText.textFontColors": "Schriftfarben", - "DE.Views.EditText.textFonts": "Schriftarten", - "DE.Views.EditText.textHighlightColor": "Texthervorhebungsfarbe", - "DE.Views.EditText.textHighlightColors": "Hervorhebungsfarben", - "DE.Views.EditText.textLetterSpacing": "Zeichenabstand", - "DE.Views.EditText.textLineSpacing": "Zeilenabstand", - "DE.Views.EditText.textNone": "Kein", - "DE.Views.EditText.textNumbers": "Nummern", - "DE.Views.EditText.textSize": "Größe", - "DE.Views.EditText.textSmallCaps": "Kapitälchen", - "DE.Views.EditText.textStrikethrough": "Durchgestrichen", - "DE.Views.EditText.textSubscript": "Tiefgestellt", - "DE.Views.Search.textCase": "Groß-/Kleinschreibung beachten", - "DE.Views.Search.textDone": "Fertig", - "DE.Views.Search.textFind": "Finden", - "DE.Views.Search.textFindAndReplace": "Suchen und ersetzen", - "DE.Views.Search.textHighlight": "Ergebnisse markieren", - "DE.Views.Search.textReplace": "Ersetzen", - "DE.Views.Search.textSearch": "Suchen", - "DE.Views.Settings.textAbout": "Über", - "DE.Views.Settings.textAddress": "Adresse", - "DE.Views.Settings.textAdvancedSettings": "Anwendungseinstellungen", - "DE.Views.Settings.textApplication": "Anwendung", - "DE.Views.Settings.textAuthor": "Autor", - "DE.Views.Settings.textBack": "Zurück", - "DE.Views.Settings.textBottom": "Unten", - "DE.Views.Settings.textCentimeter": "Zentimeter", - "DE.Views.Settings.textCollaboration": "Zusammenarbeit", - "DE.Views.Settings.textColorSchemes": "Farbschemata", - "DE.Views.Settings.textComment": "Kommentar", - "DE.Views.Settings.textCommentingDisplay": "Kommentare anzeigen", - "DE.Views.Settings.textCreated": "Erstellt", - "DE.Views.Settings.textCreateDate": "Erstellungsdatum", - "DE.Views.Settings.textCustom": "Benutzerdefiniert", - "DE.Views.Settings.textCustomSize": "Benutzerdefinierte Größe", - "DE.Views.Settings.textDisableAll": "Alle deaktivieren.", - "DE.Views.Settings.textDisableAllMacrosWithNotification": "Deaktivieren aller Makros mit einer Benachrichtigung", - "DE.Views.Settings.textDisableAllMacrosWithoutNotification": "Deaktivieren aller Makros ohne eine Benachrichtigung", - "DE.Views.Settings.textDisplayComments": "Kommentare", - "DE.Views.Settings.textDisplayResolvedComments": "Gelöste Kommentare", - "DE.Views.Settings.textDocInfo": "Dokumentinfo", - "DE.Views.Settings.textDocTitle": "Titel des Dokuments", - "DE.Views.Settings.textDocumentFormats": "Document-Formate", - "DE.Views.Settings.textDocumentSettings": "Dokumenteinstellungen", - "DE.Views.Settings.textDone": "Fertig", - "DE.Views.Settings.textDownload": "Herunterladen", - "DE.Views.Settings.textDownloadAs": "Herunterladen als...", - "DE.Views.Settings.textEditDoc": "Dokument bearbeiten", - "DE.Views.Settings.textEmail": "E-Mail", - "DE.Views.Settings.textEnableAll": "Alles aktivieren.", - "DE.Views.Settings.textEnableAllMacrosWithoutNotification": "Aktivieren aller Makros mit Benachrichtigung", - "DE.Views.Settings.textFind": "Finden", - "DE.Views.Settings.textFindAndReplace": "Suchen und ersetzen", - "DE.Views.Settings.textFormat": "Format", - "DE.Views.Settings.textHelp": "Hilfe", - "DE.Views.Settings.textHiddenTableBorders": "Ausgeblendete Tabellenrahmen", - "DE.Views.Settings.textInch": "Zoll", - "DE.Views.Settings.textLandscape": "Querformat", - "DE.Views.Settings.textLastModified": "Zuletzt geändert", - "DE.Views.Settings.textLastModifiedBy": "Zuletzt geändert von", - "DE.Views.Settings.textLeft": "Links", - "DE.Views.Settings.textLoading": "Ladevorgang...", - "DE.Views.Settings.textLocation": "Speicherort", - "DE.Views.Settings.textMacrosSettings": "Makro-Einstellungen", - "DE.Views.Settings.textMargins": "Ränder", - "DE.Views.Settings.textNoCharacters": "Formatierungszeichen", - "DE.Views.Settings.textOrientation": "Orientierung", - "DE.Views.Settings.textOwner": "Besitzer", - "DE.Views.Settings.textPages": "Seiten", - "DE.Views.Settings.textParagraphs": "Absätze", - "DE.Views.Settings.textPoint": "Punkt", - "DE.Views.Settings.textPortrait": "Hochformat", - "DE.Views.Settings.textPoweredBy": "Betrieben von", - "DE.Views.Settings.textPrint": "Drucken", - "DE.Views.Settings.textReader": "Lesemodus", - "DE.Views.Settings.textReview": "Nachverfolgen von Änderungen", - "DE.Views.Settings.textRight": "Rechts", - "DE.Views.Settings.textSettings": "Einstellungen", - "DE.Views.Settings.textShowNotification": "Benachrichtigung anzeigen", - "DE.Views.Settings.textSpaces": "Abstände", - "DE.Views.Settings.textSpellcheck": "Rechtschreibprüfung", - "DE.Views.Settings.textStatistic": "Statistik", - "DE.Views.Settings.textSubject": "Thema", - "DE.Views.Settings.textSymbols": "Symbole", - "DE.Views.Settings.textTel": "Tel.", - "DE.Views.Settings.textTitle": "Titel", - "DE.Views.Settings.textTop": "Oben", - "DE.Views.Settings.textUnitOfMeasurement": "Maßeinheit", - "DE.Views.Settings.textUploaded": "Hochgeladen", - "DE.Views.Settings.textVersion": "Version", - "DE.Views.Settings.textWords": "Wörter", - "DE.Views.Settings.unknownText": "Unbekannt", - "DE.Views.Toolbar.textBack": "Zurück" + "About": { + "textAbout": "Information", + "textAddress": "Adresse", + "textBack": "Zurück", + "textEmail": "E-Mail", + "textPoweredBy": "Unterstützt von", + "textTel": "Tel.", + "textVersion": "Version" + }, + "Add": { + "notcriticalErrorTitle": "Warnung", + "textAddLink": "Link hinzufügen", + "textAddress": "Adresse", + "textBack": "Zurück", + "textBelowText": "Unterhalb des Textes", + "textBottomOfPage": "Seitenende", + "textBreak": "Umbruch", + "textCancel": "Abbrechen", + "textCenterBottom": "Mitte Unten", + "textCenterTop": "Mitte oben", + "textColumnBreak": "Spaltenumbruch", + "textColumns": "Spalten", + "textComment": "Kommentar", + "textContinuousPage": "Fortlaufende Seite", + "textCurrentPosition": "Aktuelle Position", + "textDisplay": "Anzeigen", + "textEmptyImgUrl": "URL des Bildes erforderlich", + "textEvenPage": "Gerade Seite", + "textFootnote": "Fußnote", + "textFormat": "Format", + "textImage": "Bild", + "textImageURL": "URL des Bildes", + "textInsert": "Einfügen", + "textInsertFootnote": "Fußnote einfügen", + "textInsertImage": "Bild einfügen", + "textLeftBottom": "Links unten", + "textLeftTop": "Links oben", + "textLink": "Link", + "textLinkSettings": "Linkseinstellungen", + "textLocation": "Standort", + "textNextPage": "Nächste Seite", + "textOddPage": "Ungerade Seite", + "textOther": "Sonstiges", + "textPageBreak": "Seitenumbruch", + "textPageNumber": "Seitennummer", + "textPictureFromLibrary": "Bild aus dem Verzeichnis", + "textPictureFromURL": "Bild aus URL", + "textPosition": "Position", + "textRightBottom": "Rechts unten", + "textRightTop": "Rechts oben", + "textRows": "Zeilen", + "textScreenTip": "QuickInfo", + "textSectionBreak": "Abschnittsumbruch", + "textShape": "Form", + "textStartAt": "Beginnen mit", + "textTable": "Tabelle", + "textTableSize": "Tabellengröße", + "txtNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein." + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Warnung", + "textAccept": "Annehmen", + "textAcceptAllChanges": "Alle Änderungen annehmen", + "textAddComment": "Kommentar hinzufügen", + "textAddReply": "Antwort hinzufügen", + "textAllChangesAcceptedPreview": "Alle Änderungen werden übernommen (Vorschau)", + "textAllChangesEditing": "Alle Änderungen (Bearbeitung)", + "textAllChangesRejectedPreview": "Alle Änderungen werden abgelehnt (Vorschau)", + "textAtLeast": "Mindestens", + "textAuto": "auto", + "textBack": "Zurück", + "textBaseline": "Grundlinie", + "textBold": "Fett", + "textBreakBefore": "Seitenumbruch vor", + "textCancel": "Abbrechen", + "textCaps": "Alle Großbuchstaben", + "textCenter": "Zentriert ausrichten", + "textChart": "Diagramm", + "textCollaboration": "Zusammenarbeit", + "textColor": "Schriftfarbe", + "textComments": "Kommentare", + "textContextual": "Keinen Abstand zwischen Absätzen gleicher Formatierung einfügen", + "textDelete": "Löschen", + "textDeleteComment": "Kommentar löschen", + "textDeleted": "Gelöscht:", + "textDeleteReply": "Antwort löschen", + "textDisplayMode": "Anzeigemodus", + "textDone": "Fertig", + "textDStrikeout": "Doppelt durchgestrichen", + "textEdit": "Bearbeiten", + "textEditComment": "Kommentar bearbeiten", + "textEditReply": "Antwort bearbeiten", + "textEditUser": "Das Dokument wird gerade von mehreren Benutzern bearbeitet:", + "textEquation": "Gleichung", + "textExact": "Genau", + "textFinal": "Endgültig", + "textFirstLine": "Erste Zeile", + "textFormatted": "Formatiert", + "textHighlight": "Hervorhebungsfarbe", + "textImage": "Bild", + "textIndentLeft": "Einzug links", + "textIndentRight": "Einzug rechts", + "textInserted": "Eingefügt:", + "textItalic": "Kursiv", + "textJustify": "Zielgruppengerecht ausrichten", + "textKeepLines": "Absatz zusammenhalten", + "textKeepNext": "Vom nächsten Absatz nicht trennen", + "textLeft": "Linksbündig ausrichten", + "textLineSpacing": "Zeilenabstand:", + "textMarkup": "Markup", + "textMessageDeleteComment": "Möchten Sie diesen Kommentar wirklich löschen?", + "textMessageDeleteReply": "Möchten Sie diese Antwort wirklich löschen?", + "textMultiple": "Mehrfach", + "textNoBreakBefore": "Keinen Seitenumbruch vorher", + "textNoChanges": "Es gibt keine Änderungen", + "textNoComments": "Dieses Dokument enthält keine Kommentare", + "textNoContextual": "Abstand zwischen Absätzen gleicher Stile hinzufügen", + "textNoKeepLines": "Diesen Absatz nicht zusammenhalten", + "textNoKeepNext": "Vom nächsten Absatz trennen", + "textNot": "Nicht", + "textNoWidow": "Keine Absatzkontrolle", + "textNum": "Nummerierung ändern", + "textOriginal": "Original", + "textParaDeleted": "Absatz gelöscht", + "textParaFormatted": "Absatz formatiert", + "textParaInserted": "Absatz eingefügt", + "textParaMoveFromDown": "Nach unten verschoben:", + "textParaMoveFromUp": "Nach oben verschoben:", + "textParaMoveTo": "Verschoben:", + "textPosition": "Position", + "textReject": "Ablehnen", + "textRejectAllChanges": "Alle Änderungen ablehnen", + "textReopen": "Wiederöffnen", + "textResolve": "Lösen", + "textReview": "Überprüfung", + "textReviewChange": "Änderung überprüfen", + "textRight": "Rechtsbündig ausrichten", + "textShape": "Form", + "textShd": "Hintergrundfarbe", + "textSmallCaps": "Kapitälchen", + "textSpacing": "Abstand", + "textSpacingAfter": "Abstand nachher", + "textSpacingBefore": "Abstand vorher", + "textStrikeout": "Durchgestrichen", + "textSubScript": "Tiefgestellt", + "textSuperScript": "Hochgestellt", + "textTableChanged": "Tabelleneinstellungen geändert", + "textTableRowsAdd": "Tabellenzeilen hinzugefügt", + "textTableRowsDel": "Tabellenzeilen gelöscht", + "textTabs": "Registerkarten ändern", + "textTrackChanges": "Nachverfolgen von Änderungen", + "textTryUndoRedo": "Die Optionen Rückgängig machen/Wiederholen sind für den Schnellmodus deaktiviert.", + "textUnderline": "Unterstrichen", + "textUsers": "Benutzer", + "textWidow": "Absatzkontrolle" + }, + "ThemeColorPalette": { + "textCustomColors": "Benutzerdefinierte Farben", + "textStandartColors": "Standardfarben", + "textThemeColors": "Designfarben" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "Kopieren, Ausschneiden und Einfügen über das Kontextmenü werden nur in der aktuellen Datei ausgeführt.", + "menuAddComment": "Kommentar hinzufügen", + "menuAddLink": "Link hinzufügen", + "menuCancel": "Abbrechen", + "menuDelete": "Löschen", + "menuDeleteTable": "Tabelle löschen", + "menuEdit": "Bearbeiten", + "menuMerge": "Verbinden", + "menuMore": "Mehr", + "menuOpenLink": "Link öffnen", + "menuReview": "Überprüfung", + "menuReviewChange": "Änderung überprüfen", + "menuSplit": "Aufteilen", + "menuViewComment": "Kommentar anzeigen", + "textColumns": "Spalten", + "textCopyCutPasteActions": "Kopieren, Ausschneiden und Einfügen", + "textDoNotShowAgain": "Nicht mehr anzeigen", + "textRows": "Zeilen" + }, + "Edit": { + "notcriticalErrorTitle": "Warnung", + "textActualSize": "Tatsächliche Größe", + "textAddCustomColor": "Eine benutzerdefinierte Farbe hinzufügen", + "textAdditional": "Zusätzlich", + "textAdditionalFormatting": "Zusätzliche Formatierung", + "textAddress": "Adresse", + "textAdvanced": "Erweitert", + "textAdvancedSettings": "Erweiterte Einstellungen", + "textAfter": "nach", + "textAlign": "Ausrichtung", + "textAllCaps": "Alle Großbuchstaben", + "textAllowOverlap": "Überlappung zulassen", + "textAuto": "Auto", + "textAutomatic": "Automatisch", + "textBack": "Zurück", + "textBackground": "Hintergrund", + "textBandedColumn": "Gebänderte Spalten", + "textBandedRow": "Gebänderte Zeilen", + "textBefore": "Vor ", + "textBehind": "Hinten", + "textBorder": "Rahmen", + "textBringToForeground": "In den Vordergrund bringen", + "textBulletsAndNumbers": "Aufzählungszeichen und Nummern", + "textCellMargins": "Zellenränder", + "textChart": "Diagramm", + "textClose": "Schließen", + "textColor": "Farbe", + "textContinueFromPreviousSection": "Fortsetzen vom vorherigen Abschnitt", + "textCustomColor": "Benutzerdefinierte Farbe", + "textDifferentFirstPage": "Erste Seite anders", + "textDifferentOddAndEvenPages": "Gerade und ungerade Seiten anders", + "textDisplay": "Anzeigen", + "textDistanceFromText": "Abstand vom Text", + "textDoubleStrikethrough": "Doppelt durchgestrichen", + "textEditLink": "Link bearbeiten", + "textEffects": "Effekte", + "textEmptyImgUrl": "URL des Bildes erforderlich", + "textFill": "Füllung", + "textFirstColumn": "Erste Spalte", + "textFirstLine": "Erste Zeile", + "textFlow": "Fluss", + "textFontColor": "Schriftfarbe", + "textFontColors": "Schriftfarben", + "textFonts": "Schriftarten", + "textFooter": "Fußzeile", + "textHeader": "Kopfzeile", + "textHeaderRow": "Kopfzeile", + "textHighlightColor": "Hervorhebungsfarbe", + "textHyperlink": "Hyperlink", + "textImage": "Bild", + "textImageURL": "URL des Bildes", + "textInFront": "Vor dem Text", + "textInline": "Inline", + "textKeepLinesTogether": "Absatz zusammenhalten", + "textKeepWithNext": "Vom nächsten Absatz nicht trennen", + "textLastColumn": "Letzte Spalte", + "textLetterSpacing": "Zeichenabstand", + "textLineSpacing": "Zeilenabstand", + "textLink": "Link", + "textLinkSettings": "Linkseinstellungen", + "textLinkToPrevious": "Mit vorheriger verknüpfen", + "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.", + "textOpacity": "Undurchsichtigkeit", + "textOptions": "Optionen", + "textOrphanControl": "Absatzkontrolle", + "textPageBreakBefore": "Seitenumbruch vor", + "textPageNumbering": "Seitennummerierung", + "textParagraph": "Absatz", + "textParagraphStyles": "Absatzformatvorlage", + "textPictureFromLibrary": "Bild aus dem Verzeichnis", + "textPictureFromURL": "Bild aus URL", + "textPt": "pt", + "textRemoveChart": "Diagramm entfernen", + "textRemoveImage": "Bild entfernen", + "textRemoveLink": "Link entfernen", + "textRemoveShape": "Form entfernen", + "textRemoveTable": "Tabelle entfernen", + "textReorder": "Neu ordnen", + "textRepeatAsHeaderRow": "Als Überschriftenzeile wiederholen", + "textReplace": "Ersetzen", + "textReplaceImage": "Bild ersetzen", + "textResizeToFitContent": "An die Größe des Inhalts anpassen", + "textScreenTip": "QuickInfo", + "textSelectObjectToEdit": "Wählen Sie das Objekt für Bearbeitung aus", + "textSendToBackground": "In den Hintergrund senden", + "textSettings": "Einstellungen", + "textShape": "Form", + "textSize": "Größe", + "textSmallCaps": "Kapitälchen", + "textSpaceBetweenParagraphs": "Abstand zwischen Absätzen", + "textSquare": "Quadrat", + "textStartAt": "Beginnen mit", + "textStrikethrough": "Durchgestrichen", + "textStyle": "Stil", + "textStyleOptions": "Stileinstellungen", + "textSubscript": "Tiefgestellt", + "textSuperscript": "Hochgestellt", + "textTable": "Tabelle", + "textTableOptions": "Tabellenoptionen", + "textText": "Text", + "textThrough": "Durchgehend", + "textTight": "Passend", + "textTopAndBottom": "Oben und unten", + "textTotalRow": "Ergebniszeile", + "textType": "Typ", + "textWrap": "Umbrechen" + }, + "Error": { + "convertationTimeoutText": "Zeitüberschreitung bei der Konvertierung.", + "criticalErrorExtText": "Klicken Sie auf OK, um zur Liste von Dokumenten zurückzukehren.", + "criticalErrorTitle": "Fehler", + "downloadErrorText": "Herunterladen ist fehlgeschlagen.", + "errorAccessDeny": "Dieser Vorgang ist für Sie nicht verfügbar.
Bitte wenden Sie sich an Administratoren.", + "errorBadImageUrl": "URL des Bildes ist falsch", + "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.", + "errorDatabaseConnection": "Externer Fehler.
Datenbank-Verbindungsfehler. Wenden Sie sich an den Support.", + "errorDataEncrypted": "Verschlüsselte Änderungen wurden empfangen. Sie können nicht entschlüsselt werden.", + "errorDataRange": "Falscher Datenbereich.", + "errorDefaultMessage": "Fehlercode: %1", + "errorEditingDownloadas": "Fehler bei der Arbeit an diesem Dokument.
Laden Sie die Datei herunter, um sie lokal zu speichern.", + "errorFilePassProtect": "Die Datei ist mit Passwort geschützt und kann nicht geöffnet werden.", + "errorFileSizeExceed": "Die Dateigröße ist zu hoch für Ihren Server.
Bitte wenden Sie sich an Administratoren.", + "errorKeyEncrypt": "Unbekannter Schlüsseldeskriptor", + "errorKeyExpire": "Der Schlüsseldeskriptor ist abgelaufen", + "errorMailMergeLoadFile": "Fehler beim Laden", + "errorMailMergeSaveFile": "Verbinden ist fehlgeschlagen.", + "errorSessionAbsolute": "Die Bearbeitungssitzung ist abgelaufen. Bitte die Seite neu laden.", + "errorSessionIdle": "Das Dokument wurde schon für lange Zeit nicht bearbeitet. Bitte die Seite neu laden.", + "errorSessionToken": "Die Verbindung mit dem Server wurde unterbrochen. Bitte die Seite neu laden.", + "errorStockChart": "Falsche Reihenfolge der Zeilen. Um ein Kursdiagramm zu erstellen, setzen Sie die Daten im Arbeitsblatt in dieser Reihenfolge:
Eröffnungskurs, Maximaler Preis, Minimaler Preis, Schlusskurs.", + "errorUpdateVersionOnDisconnect": "Die Internetverbindung wurde wiederhergestellt und die Dateiversion wurde geändert.
Bevor Sie weiterarbeiten können, müssen Sie die Datei herunterladen oder den Inhalt kopieren, um sicherzustellen, dass nichts verloren geht, und diese Seite anschließend neu laden.", + "errorUserDrop": "Die Datei ist gerade nicht verfügbar.", + "errorUsersExceed": "Die nach dem Zahlungsplan erlaubte Anzahl der Benutzer ist überschritten", + "errorViewerDisconnect": "Die Verbindung wurde abgebrochen. Das Dokument wird angezeigt,
das Herunterladen wird aber nur verfügbar, wenn die Verbindung wiederhergestellt ist.", + "notcriticalErrorTitle": "Warnung", + "openErrorText": "Beim Öffnen dieser Datei ist ein Fehler aufgetreten", + "saveErrorText": "Beim Speichern dieser Datei ist ein Fehler aufgetreten", + "scriptLoadError": "Die Verbindung ist zu langsam, manche Elemente wurden nicht geladen. Bitte die Seite neu laden.", + "splitDividerErrorText": "Die Anzahl der Zeilen muss einen Divisor von %1 sein. ", + "splitMaxColsErrorText": "Spaltenanzahl muss weniger als %1 sein", + "splitMaxRowsErrorText": "Die Anzahl der Zeilen muss weniger als %1 sein", + "unknownErrorText": "Unbekannter Fehler.", + "uploadImageExtMessage": "Unbekanntes Bildformat.", + "uploadImageFileCountMessage": "Keine Bilder hochgeladen.", + "uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten." + }, + "LongActions": { + "applyChangesTextText": "Daten werden geladen...", + "applyChangesTitleText": "Daten werden geladen", + "downloadMergeText": "Ladevorgang...", + "downloadMergeTitle": "Ladevorgang", + "downloadTextText": "Dokument wird heruntergeladen...", + "downloadTitleText": "Herunterladen des Dokuments", + "loadFontsTextText": "Daten werden geladen...", + "loadFontsTitleText": "Daten werden geladen", + "loadFontTextText": "Daten werden geladen...", + "loadFontTitleText": "Daten werden geladen", + "loadImagesTextText": "Bilder werden geladen...", + "loadImagesTitleText": "Bilder werden geladen", + "loadImageTextText": "Bild wird geladen...", + "loadImageTitleText": "Bild wird geladen", + "loadingDocumentTextText": "Dokument wird geladen...", + "loadingDocumentTitleText": "Dokument wird geladen...", + "mailMergeLoadFileText": "Laden der Datenquellen...", + "mailMergeLoadFileTitle": "Laden der Datenquellen", + "openTextText": "Dokument wird geöffnet...", + "openTitleText": "Das Dokument wird geöffnet", + "printTextText": "Dokument wird ausgedruckt...", + "printTitleText": "Drucken des Dokuments", + "savePreparingText": "Speichervorbereitung", + "savePreparingTitle": "Speichervorbereitung. Bitte warten...", + "saveTextText": "Dokument wird gespeichert...", + "saveTitleText": "Dokument wird gespeichert...", + "sendMergeText": "Merge wird versandt...", + "sendMergeTitle": "Ergebnisse der Zusammenführung werden gesendet", + "textLoadingDocument": "Dokument wird geladen", + "txtEditingMode": "Bearbeitungsmodul wird festgelegt...", + "uploadImageTextText": "Bild wird hochgeladen...", + "uploadImageTitleText": "Bild wird hochgeladen", + "waitText": "Bitte warten..." + }, + "Main": { + "criticalErrorTitle": "Fehler", + "errorAccessDeny": "Dieser Vorgang ist für Sie nicht verfügbar.
Bitte wenden Sie sich an Administratoren.", + "errorOpensource": "In der kostenlosen Community-Version können Sie Dokumente nur öffnen. Für Bearbeitung in mobilen Web-Editoren ist die kommerzielle Lizenz erforderlich.", + "errorProcessSaveResult": "Speichern ist fehlgeschlagen.", + "errorServerVersion": "Version des Editors wurde aktualisiert. Die Seite wird neu geladen, um die Änderungen zu übernehmen.", + "errorUpdateVersion": "Die Dateiversion wurde geändert. Die Seite wird neu geladen.", + "leavePageText": "Sie haben nicht gespeicherte Änderungen. Klicken Sie auf \"Auf dieser Seite bleiben\" und warten Sie, bis die Datei automatisch gespeichert wird. Klicken Sie auf \"Die Seite verlassen\", um nicht gespeicherte Änderungen zu verwerfen.", + "notcriticalErrorTitle": "Warnung", + "SDK": { + "Diagram Title": "Diagrammtitel", + "Footer": "Fußzeile", + "footnote text": "Fußnotentext", + "Header": "Kopfzeile", + "Heading 1": "Überschrift 1", + "Heading 2": "Überschrift 2", + "Heading 3": "Überschrift 3", + "Heading 4": "Überschrift 4", + "Heading 5": "Überschrift 5", + "Heading 6": "Überschrift 6", + "Heading 7": "Überschrift 7", + "Heading 8": "Überschrift 8", + "Heading 9": "Überschrift 9", + "Intense Quote": "Intensives Zitat", + "List Paragraph": "Listenabsatz", + "No Spacing": "Kein Abstand", + "Normal": "Normal", + "Quote": "Zitat", + "Series": "Reihen", + "Subtitle": "Untertitel", + "Title": "Titel", + "X Axis": "Achse X (XAS)", + "Y Axis": "Achse Y", + "Your text here": "Text hier eingeben" + }, + "textAnonymous": "Anonym", + "textBuyNow": "Webseite besuchen", + "textClose": "Schließen", + "textContactUs": "Verkaufsteam kontaktieren", + "textCustomLoader": "Sie können den Verlader nicht ändern. Sie können die Anfrage an unser Verkaufsteam senden.", + "textGuest": "Gast", + "textHasMacros": "Diese Datei beinhaltet Makros.
Möchten Sie Makros ausführen?", + "textNo": "Nein", + "textNoLicenseTitle": "Lizenzlimit erreicht", + "textPaidFeature": "Kostenpflichtige Funktion", + "textRemember": "Auswahl speichern", + "textYes": "Ja", + "titleLicenseExp": "Lizenz ist abgelaufen", + "titleServerVersion": "Editor wurde aktualisiert", + "titleUpdateVersion": "Version wurde geändert", + "warnLicenseExceeded": "Sie haben die maximale Anzahl von gleichzeitigen Verbindungen in %1-Editoren erreicht. Die Bearbeitung ist jetzt in diesem Dokument nicht verfügbar. Wenden Sie sich an Administratoren für weitere Informationen.", + "warnLicenseExp": "Ihre Lizenz ist abgelaufen. Bitte erneuern Sie die Lizenz und laden Sie die Seite neu.", + "warnLicenseLimitedNoAccess": "Lizenz abgelaufen. Keine Bearbeitung möglich. Bitte wenden Sie sich an Administratoren.", + "warnLicenseLimitedRenewed": "Die Lizenz soll erneuert werden. Die Bearbeitungsfunktionen wurden eingeschränkt.
Bitte wenden Sie sich an Administratoren für den vollen Zugriff", + "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." + }, + "Settings": { + "advDRMOptions": "Geschützte Datei", + "advDRMPassword": "Passwort", + "advTxtOptions": "Optionen für TXT-Dateien auswählen", + "closeButtonText": "Datei schließen", + "notcriticalErrorTitle": "Warnung", + "textAbout": "Information", + "textApplication": "App", + "textApplicationSettings": "Anwendungseinstellungen", + "textAuthor": "Verfasser", + "textBack": "Zurück", + "textBottom": "Unten", + "textCancel": "Abbrechen", + "textCaseSensitive": "Groß-/Kleinschreibung beachten", + "textCentimeter": "Zentimeter", + "textCollaboration": "Zusammenarbeit", + "textColorSchemes": "Farbschemata", + "textComment": "Kommentar", + "textComments": "Kommentare", + "textCommentsDisplay": "Kommentare anzeigen", + "textCreated": "Erstellt", + "textCustomSize": "Benutzerdefinierte Größe", + "textDisableAll": "Alle deaktivieren", + "textDisableAllMacrosWithNotification": "Alle Makros mit Benachrichtigung deaktivieren", + "textDisableAllMacrosWithoutNotification": "Alle Makros ohne Benachrichtigung deaktivieren", + "textDocumentInfo": "Dokumentinformationen", + "textDocumentSettings": "Dokumenteinstellungen", + "textDocumentTitle": "Titel des Dokuments", + "textDone": "Fertig", + "textDownload": "Herunterladen", + "textDownloadAs": "Herunterladen als", + "textDownloadRtf": "Beim Speichern in diesem Format kann Formatierung teilweise verloren gehen. Möchten Sie fortsetzen?", + "textDownloadTxt": "Beim Speichern in diesem Format werden nur Textfunktionen aktiv. Möchten Sie fortsetzen?", + "textEnableAll": "Alle aktivieren", + "textEnableAllMacrosWithoutNotification": "Alle Makros ohne Benachrichtigung aktivieren", + "textEncoding": "Codierung ", + "textFind": "Suche", + "textFindAndReplace": "Suchen und ersetzen", + "textFindAndReplaceAll": "Alle suchen und ersetzen", + "textFormat": "Format", + "textHelp": "Hilfe", + "textHiddenTableBorders": "Ausgeblendete Tabellenrahmen", + "textHighlightResults": "Ergebnisse hervorheben", + "textInch": "Zoll", + "textLandscape": "Querformat", + "textLastModified": "Zuletzt geändert", + "textLastModifiedBy": "Zuletzt geändert von", + "textLeft": "Links", + "textLoading": "Ladevorgang...", + "textLocation": "Standort", + "textMacrosSettings": "Einstellungen von Makros", + "textMargins": "Ränder", + "textMarginsH": "Die oberen und unteren Ränder sind zu hoch für eingegebene Seitenhöhe", + "textMarginsW": "Linke und rechte Ränder sind zu hoch für gültige Seitenhöhe", + "textNoCharacters": "Formatierungszeichen", + "textNoTextFound": "Der Text wurde nicht gefunden", + "textOpenFile": "Kennwort zum Öffnen der Datei eingeben", + "textOrientation": "Orientierung", + "textOwner": "Besitzer", + "textPoint": "Punkt", + "textPortrait": "Hochformat", + "textPrint": "Drucken", + "textReaderMode": "Lesemodus", + "textReplace": "Ersetzen", + "textReplaceAll": "Alle ersetzen", + "textResolvedComments": "Gelöste Kommentare", + "textRight": "Rechts", + "textSearch": "Suche", + "textSettings": "Einstellungen", + "textShowNotification": "Benachrichtigung anzeigen", + "textSpellcheck": "Rechtschreibprüfung", + "textStatistic": "Statistik", + "textSubject": "Betreff", + "textTitle": "Titel", + "textTop": "Oben", + "textUnitOfMeasurement": "Maßeinheit", + "textUploaded": "Hochgeladen", + "txtIncorrectPwd": "Passwort ist falsch", + "txtProtected": "Wenn Sie das Password eingeben und die Datei öffnen, wird das aktive Password zurückgesetzt" + }, + "Toolbar": { + "dlgLeaveMsgText": "Sie haben nicht gespeicherte Änderungen. Klicken Sie auf \"Auf dieser Seite bleiben\" und warten Sie, bis die Datei automatisch gespeichert wird. Klicken Sie auf \"Die Seite verlassen\", um nicht gespeicherte Änderungen zu verwerfen.", + "dlgLeaveTitleText": "Sie schließen die App", + "leaveButtonText": "Seite verlassen", + "stayButtonText": "Auf dieser Seite bleiben" + } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/en.json b/apps/documenteditor/mobile/locale/en.json index 4fe976ee1..2c38f5860 100644 --- a/apps/documenteditor/mobile/locale/en.json +++ b/apps/documenteditor/mobile/locale/en.json @@ -1,18 +1,388 @@ { + "About": { + "textAbout": "About", + "textAddress": "Address", + "textBack": "Back", + "textEmail": "Email", + "textPoweredBy": "Powered By", + "textTel": "Tel", + "textVersion": "Version" + }, + "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\"" + }, + "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" + }, + "ThemeColorPalette": { + "textCustomColors": "Custom Colors", + "textStandartColors": "Standard Colors", + "textThemeColors": "Theme Colors" + } + }, + "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" + }, + "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", + "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" + }, + "Error": { + "convertationTimeoutText": "Conversion timeout exceeded.", + "criticalErrorExtText": "Press 'OK' to 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." + }, + "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..." + }, "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", "SDK": { - "Series": "Series", "Diagram Title": "Chart Title", - "X Axis": "X Axis XAS", - "Y Axis": "Y Axis", - "Your text here": "Your text here", - "Error! Bookmark not defined": "Error! Bookmark not defined.", - "above": "above", - "below": "below", "Footer": "Footer", + "footnote text": "Footnote Text", "Header": "Header", - "Normal": "Normal", - "No Spacing": "No Spacing", "Heading 1": "Heading 1", "Heading 2": "Heading 2", "Heading 3": "Heading 3", @@ -22,553 +392,126 @@ "Heading 7": "Heading 7", "Heading 8": "Heading 8", "Heading 9": "Heading 9", - "Title": "Title", - "Subtitle": "Subtitle", - "Quote": "Quote", "Intense Quote": "Intense Quote", "List Paragraph": "List Paragraph", - "footnote text": "Footnote Text", - "Caption": "Caption", - "endnote text": "Endnote Text", - " -Section ": " -Section ", - "First Page ": "First Page ", - "Even Page ": "Even Page ", - "Odd Page ": "Odd Page ", - "Same as Previous": "Same as Previous", - "Current Document": "Current Document", - "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.", - "Table of Contents": "Table of Contents", - "Syntax Error": "Syntax Error", - "Missing Operator": "Missing Operator", - "Missing Argument": "Missing Argument", - "Number Too Large To Format": "Number Too Large To Format", - "Zero Divide": "Zero Divide", - "Is Not In Table": "Is Not In Table", - "Index Too Large": "Index Too Large", - "The Formula Not In Table": "The Formula Not In Table", - "Table Index Cannot be Zero": "Table Index Cannot be Zero", - "Undefined Bookmark": "Undefined Bookmark", - "Unexpected End of Formula": "Unexpected End of Formula", - "Hyperlink": "Hyperlink", - "Error! Main Document Only.": "Error! Main Document Only.", - "Error! Not a valid bookmark self-reference.": "Error! Not a valid bookmark self-reference.", - "Error! No text of specified style in document.": "Error! No text of specified style in document.", - "Choose an item": "Choose an item", - "Enter a date": "Enter a date", - "Type equation here": "Type equation here", - "Click to load image": "Click to load image", - "None": "None", - "No table of figures entries found.": "No table of figures entries found.", - "table of figures": "Table of figures", - "TOC Heading": "TOC Heading" + "No Spacing": "No Spacing", + "Normal": "Normal", + "Quote": "Quote", + "Series": "Series", + "Subtitle": "Subtitle", + "Title": "Title", + "X Axis": "X Axis XAS", + "Y Axis": "Y Axis", + "Your text here": "Your text here" }, - "textGuest": "Guest", "textAnonymous": "Anonymous", - "leavePageText": "You have unsaved changes in this document. Click 'Stay on this Page' to await the autosave of the document. Click 'Leave this Page' to discard all the unsaved changes.", + "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", - "warnLicenseExp": "Your license has expired. Please update your license and refresh the page.", - "errorServerVersion": "The editor version has been updated. The page will be reloaded to apply the changes.", "titleServerVersion": "Editor updated", - "notcriticalErrorTitle": "Warning", - "errorOpensource": "Using the free Community version you can open documents for viewing only. To access mobile web editors, a commercial license is required.", - "warnLicenseLimitedNoAccess": "License expired. You have no access to document editing functionality. Please contact your administrator.", - "warnLicenseLimitedRenewed": "License needs to be renewed. You have a limited access to document editing functionality.
Please contact your administrator to get full access", + "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.", - "textBuyNow": "Visit website", - "textContactUs": "Contact sales", - "textNoLicenseTitle": "License limit reached", - "textPaidFeature": "Paid feature", - "textCustomLoader": "Please note that according to the terms of the license you are not entitled to change the loader. Please contact our Sales Department to get a quote.", - "textClose": "Close", - "errorProcessSaveResult": "Saving is failed.", - "criticalErrorTitle": "Error", - "warnProcessRightsChange": "You have been denied the right to edit the file.", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
Please contact your Document Server administrator.", - "errorUpdateVersion": "The file version has been changed. The page will be reloaded.", - "titleUpdateVersion": "Version changed", - "textHasMacros": "The file contains automatic macros.
Do you want to run macros?", - "textRemember": "Remember my choice", - "textYes": "Yes", - "textNo": "No" - }, - "Error": { - "criticalErrorTitle": "Error", - "unknownErrorText": "Unknown error.", - "convertationTimeoutText": "Convertation timeout exceeded.", - "openErrorText": "An error has occurred while opening the file", - "saveErrorText": "An error has occurred while saving the file", - "downloadErrorText": "Download failed.", - "uploadImageSizeMessage": "Maximium image size limit exceeded.", - "uploadImageExtMessage": "Unknown image format.", - "uploadImageFileCountMessage": "No images uploaded.", - "splitMaxRowsErrorText": "The number of rows must be less than %1", - "splitMaxColsErrorText": "The number of columns must be less than %1", - "splitDividerErrorText": "The number of rows must be a divisor of %1", - "errorKeyEncrypt": "Unknown key descriptor", - "errorKeyExpire": "Key descriptor expired", - "errorUsersExceed": "Count of users was exceed", - "errorViewerDisconnect": "Connection is lost. You can still view the document,
but will not be able to download until the connection is restored and page is reloaded.", - "errorFilePassProtect": "The file is password protected and could not be opened.", - "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.", - "errorDataRange": "Incorrect data range.", - "errorDatabaseConnection": "External error.
Database connection error. Please, contact support.", - "errorUserDrop": "The file cannot be accessed right now.", - "errorMailMergeLoadFile": "Loading failed", - "errorMailMergeSaveFile": "Merge failed.", - "errorConnectToServer": " The document could not be saved. Please check connection settings or contact your administrator.
When you click the 'OK' button, you will be prompted to download the document.", - "errorBadImageUrl": "Image url is incorrect", - "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.", - "errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
Please contact your Document Server administrator.", - "errorEditingDownloadas": "An error occurred during the work with the document.
Use the 'Download' option to save the file backup copy to your computer hard drive.", - "errorFileSizeExceed": "The file size exceeds the limitation set for your server.
Please contact your Document Server administrator for details.", - "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.", - "errorDefaultMessage": "Error code: %1", - "criticalErrorExtText": "Press 'OK' to back to document list.", - "notcriticalErrorTitle": "Warning", - "scriptLoadError": "The connection is too slow, some of the components could not be loaded. Please reload the page." - }, - "LongActions": { - "openTitleText": "Opening Document", - "openTextText": "Opening document...", - "saveTitleText": "Saving Document", - "saveTextText": "Saving document...", - "loadFontsTitleText": "Loading Data", - "loadFontsTextText": "Loading data...", - "loadImagesTitleText": "Loading Images", - "loadImagesTextText": "Loading images...", - "loadFontTitleText": "Loading Data", - "loadFontTextText": "Loading data...", - "loadImageTitleText": "Loading Image", - "loadImageTextText": "Loading image...", - "downloadTitleText": "Downloading Document", - "downloadTextText": "Downloading document...", - "printTitleText": "Printing Document", - "printTextText": "Printing document...", - "uploadImageTitleText": "Uploading Image", - "uploadImageTextText": "Uploading image...", - "applyChangesTitleText": "Loading Data", - "applyChangesTextText": "Loading data...", - "savePreparingText": "Preparing to save", - "savePreparingTitle": "Preparing to save. Please wait...", - "mailMergeLoadFileText": "Loading Data Source...", - "mailMergeLoadFileTitle": "Loading Data Source", - "downloadMergeTitle": "Downloading", - "downloadMergeText": "Downloading...", - "sendMergeTitle": "Sending Merge", - "sendMergeText": "Sending Merge...", - "waitText": "Please, wait...", - "txtEditingMode": "Set editing mode...", - "loadingDocumentTitleText": "Loading document", - "loadingDocumentTextText": "Loading document...", - "textLoadingDocument": "Loading document" - }, - "Toolbar": { - "dlgLeaveTitleText": "You leave the application", - "dlgLeaveMsgText": "You have unsaved changes in this document. Click 'Stay on this Page' to await the autosave of the document. Click 'Leave this Page' to discard all the unsaved changes.", - "leaveButtonText": "Leave this Page", - "stayButtonText": "Stay on this Page" - }, - "Common": { - "ThemeColorPalette": { - "textThemeColors": "Theme Colors", - "textStandartColors": "Standard Colors", - "textCustomColors": "Custom Colors" - }, - "Collaboration": { - "textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", - "notcriticalErrorTitle": "Warning", - "textCollaboration": "Collaboration", - "textBack": "Back", - "textUsers": "Users", - "textEditUser": "Users who are editing the file:", - "textComments": "Comments", - "textReview": "Review", - "textTrackChanges": "Track Changes", - "textDisplayMode": "Display Mode", - "textReviewChange": "Review Change", - "textAcceptAllChanges": "Accept All Changes", - "textRejectAllChanges": "Reject All Changes", - "textMarkup": "Markup", - "textFinal": "Final", - "textOriginal": "Original", - "textAllChangesEditing": "All changes (Editing)", - "textAllChangesAcceptedPreview": "All changes accepted (Preview)", - "textAllChangesRejectedPreview": "All changes rejected (Preview)", - "textAccept": "Accept", - "textReject": "Reject", - "textNoChanges": "There are no changes.", - "textDelete": "Delete", - "textInserted": "Inserted:", - "textDeleted": "Deleted:", - "textParaInserted": "Paragraph Inserted", - "textParaDeleted": "Paragraph Deleted", - "textFormatted": "Formatted", - "textParaFormatted": "Paragraph Formatted", - "textNot": "Not ", - "textBold": "Bold", - "textItalic": "Italic", - "textStrikeout": "Strikeout", - "textUnderline": "Underline", - "textColor": "Font color", - "textBaseline": "Baseline", - "textSuperScript": "Superscript", - "textSubScript": "Subscript", - "textHighlight": "Highlight color", - "textSpacing": "Spacing", - "textDStrikeout": "Double strikeout", - "textCaps": "All caps", - "textSmallCaps": "Small caps", - "textPosition": "Position", - "textShd": "Background color", - "textContextual": "Don't add interval between paragraphs of the same style", - "textNoContextual": "Add interval between paragraphs of the same style", - "textIndentLeft": "Indent left", - "textIndentRight": "Indent right", - "textFirstLine": "First line", - "textRight": "Align right", - "textLeft": "Align left", - "textCenter": "Align center", - "textJustify": "Align justify", - "textBreakBefore": "Page break before", - "textKeepNext": "Keep with next", - "textKeepLines": "Keep lines together", - "textNoBreakBefore": "No page break before", - "textNoKeepNext": "Don't keep with next", - "textNoKeepLines": "Don't keep lines together", - "textLineSpacing": "Line Spacing: ", - "textMultiple": "multiple", - "textAtLeast": "at least", - "textExact": "exactly", - "textSpacingBefore": "Spacing before", - "textSpacingAfter": "Spacing after", - "textAuto": "auto", - "textWidow": "Widow control", - "textNoWidow": "No widow control", - "textTabs": "Change tabs", - "textNum": "Change numbering", - "textEquation": "Equation", - "textImage": "Image", - "textChart": "Chart", - "textShape": "Shape", - "textTableChanged": "Table Settings Changed", - "textTableRowsAdd": "Table Rows Added", - "textTableRowsDel": "Table Rows Deleted", - "textParaMoveTo": "Moved:", - "textParaMoveFromUp": "Moved Up:", - "textParaMoveFromDown": "Moved Down:", - "textAddComment": "Add Comment", - "textCancel": "Cancel", - "textDone": "Done", - "textNoComments": "This document doesn't contain comments", - "textEdit": "Edit", - "textResolve": "Resolve", - "textReopen": "Reopen", - "textAddReply": "Add Reply", - "textDeleteComment": "Delete Comment", - "textMessageDeleteComment": "Do you really want to delete this comment?", - "textMessageDeleteReply": "Do you really want to delete this reply?", - "textDeleteReply": "Delete Reply", - "textEditComment": "Edit Comment", - "textEditReply": "Edit Reply" - } - }, - "ContextMenu": { - "menuViewComment": "View Comment", - "menuAddComment": "Add Comment", - "menuMerge": "Merge", - "menuSplit": "Split", - "menuDelete": "Delete", - "menuDeleteTable": "Delete Table", - "menuEdit": "Edit", - "menuAddLink": "Add Link", - "menuReviewChange": "Review Change", - "menuReview": "Review", - "menuOpenLink": "Open Link", - "menuMore": "More", - "menuCancel": "Cancel", - "textCopyCutPasteActions": "Copy, Cut and Paste Actions", - "errorCopyCutPaste": "Copy, cut and paste actions using the context menu will be performed within the current file only.", - "textDoNotShowAgain": "Don't show again", - "textColumns": "Columns", - "textRows": "Rows" + "warnProcessRightsChange": "You don't have permission to edit this file." }, "Settings": { - "textCancel": "Cancel", - "textSettings": "Settings", - "textDone": "Done", - "textFind": "Find", - "textFindAndReplace": "Find and Replace", - "textReaderMode": "Reader Mode", - "textDocumentSettings": "Document Settings", - "textApplicationSettings": "Application Settings", - "textDownload": "Download", - "textPrint": "Print", - "textDocumentInfo": "Document Info", - "textHelp": "Help", + "advDRMOptions": "Protected File", + "advDRMPassword": "Password", + "advTxtOptions": "Choose TXT Options", + "closeButtonText": "Close File", + "notcriticalErrorTitle": "Warning", "textAbout": "About", - "textOrientation": "Orientation", - "textPortrait": "Portrait", - "textLandscape": "Landscape", - "textFormat": "Format", - "textMargins": "Margins", - "textBack": "Back", - "textCustomSize": "Custom Size", - "textTop": "Top", - "textBottom": "Bottom", - "textLeft": "Left", - "textRight": "Right", - "textDocumentTitle": "Document Title", - "textOwner": "Owner", - "textUploaded": "Uploaded", - "textStatistic": "Statistic", - "textLastModifiedBy": "Last Modified By", - "textLastModified": "Last Modified", "textApplication": "Application", - "textLoading": "Loading...", + "textApplicationSettings": "Application settings", "textAuthor": "Author", - "textUnitOfMeasurement": "Unit Of Measurement", + "textBack": "Back", + "textBottom": "Bottom", + "textCancel": "Cancel", + "textCaseSensitive": "Case Sensitive", "textCentimeter": "Centimeter", - "textPoint": "Point", - "textInch": "Inch", - "textSpellcheck": "Spell Checking", - "textNoCharacters": "Nonprinting Characters", - "textHiddenTableBorders": "Hidden Table Borders", - "textCommentsDisplay": "Comments Display", + "textCollaboration": "Collaboration", + "textColorSchemes": "Color Schemes", + "textComment": "Comment", "textComments": "Comments", - "textResolvedComments": "Resolved Comments", - "textMacrosSettings": "Macros Settings", + "textCommentsDisplay": "Comments Display", + "textCreated": "Created", + "textCustomSize": "Custom Size", "textDisableAll": "Disable All", - "textDisableAllMacrosWithoutNotification": "Disable all macros without notification", - "textShowNotification": "Show Notification", "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", - "textDownloadAs": "Download As", - "notcriticalErrorTitle": "Warning", - "textDownloadTxt": "If you continue saving in this format all features except the text will be lost. Are you sure you want to continue?", - "textDownloadRtf": "If you continue saving in this format some of the formatting might be lost. Are you sure you want to continue?", - "textColorSchemes": "Color Schemes", - "textLocation": "Location", - "textTitle": "Title", - "textSubject": "Subject", - "textComment": "Comment", - "textCreated": "Created", - "advTxtOptions": "Choose TXT Options", "textEncoding": "Encoding", - "advDRMPassword": "Password", - "closeButtonText": "Close File", - "advDRMOptions": "Protected File", - "txtProtected": "Once you enter the password and open the file, the current password to the file will be reset", - "textOpenFile": "Enter a password to open the file", - "txtIncorrectPwd": "Password is incorrect", + "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 high 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", - "textCaseSensitive": "Case Sensitive", - "textHighlightResults": "Highlight Results", + "textResolvedComments": "Resolved Comments", + "textRight": "Right", "textSearch": "Search", - "textMarginsW": "Left and right margins are too high for a given page width", - "textMarginsH": "Top and bottom margins are too high for a given page height", - "textCollaboration": "Collaboration", - "textFindAndReplaceAll": "Find and Replace All", - "txtScheme1": "Office", - "txtScheme2": "Grayscale", - "txtScheme3": "Apex", - "txtScheme4": "Aspect", - "txtScheme5": "Civic", - "txtScheme6": "Concourse", - "txtScheme7": "Equity", - "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "txtScheme10": "Median", - "txtScheme11": "Metro", - "txtScheme12": "Module", - "txtScheme13": "Opulent", - "txtScheme14": "Oriel", - "txtScheme15": "Origin", - "txtScheme16": "Paper", - "txtScheme17": "Solstice", - "txtScheme18": "Technic", - "txtScheme19": "Trek", - "txtScheme22": "New Office" - }, - "Edit": { - "textClose": "Close", - "textBack": "Back", - "textText": "Text", - "textParagraph": "Paragraph", - "textTable": "Table", - "textFooter": "Footer", - "textHeader": "Header", - "textShape": "Shape", - "textImage": "Image", - "textChart": "Chart", - "textHyperlink": "Hyperlink", - "textSelectObjectToEdit": "Select object to edit", "textSettings": "Settings", - "textFontColor": "Font Color", - "textHighlightColor": "Highlight Color", - "textAdditionalFormatting": "Additional Formatting", - "textAdditional": "Additional", - "textBullets": "Bullets", - "textNumbers": "Numbers", - "textLineSpacing": "Line Spacing", - "textFonts": "Fonts", - "textAuto": "Auto", - "textPt": "pt", - "textSize": "Size", - "textStrikethrough": "Strikethrough", - "textDoubleStrikethrough": "Double Strikethrough", - "textSuperscript": "Superscript", - "textSubscript": "Subscript", - "textSmallCaps": "Small Caps", - "textAllCaps": "All Caps", - "textLetterSpacing": "Letter Spacing", - "textNone": "None", - "textBackground": "Background", - "textAdvancedSettings": "Advanced Settings", - "textParagraphStyles": "Paragraph Styles", - "textAdvanced": "Advanced", - "textDistanceFromText": "Distance from text", - "textBefore": "Before", - "textAfter": "After", - "textFirstLine": "FirstLine", - "textSpaceBetweenParagraphs": "Space Between Paragraphs", - "textPageBreakBefore": "Page Break Before", - "textOrphanControl": "Orphan Control", - "textKeepLinesTogether": "Keep Lines Together", - "textKeepWithNext": "Keep with Next", - "textStyle": "Style", - "textWrap": "Wrap", - "textReplace": "Replace", - "textReorder": "Reorder", - "textRemoveShape": "Remove Shape", - "textInline": "Inline", - "textSquare": "Square", - "textTight": "Tight", - "textThrough": "Through", - "textTopAndBottom": "Top and Bottom", - "textInFront": "In Front", - "textBehind": "Behind", - "textAlign": "Align", - "textMoveWithText": "Move with Text", - "textAllowOverlap": "Allow Overlap", - "textBringToForeground": "Bring to Foreground", - "textSendToBackground": "Send to Background", - "textMoveForward": "Move Forward", - "textMoveBackward": "Move Backward", - "textActualSize": "Actual Size", - "textRemoveImage": "Remove Image", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", - "textLinkSettings": "Link Settings", - "textAddress": "Address", - "textImageURL": "Image URL", - "textReplaceImage": "Replace Image", - "textEmptyImgUrl": "You need to specify image URL.", - "textNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "notcriticalErrorTitle": "Warning", - "textRemoveTable": "Remove Table", - "textTableOptions": "Table Options", - "textOptions": "Options", - "textRepeatAsHeaderRow": "Repeat as Header Row", - "textResizeToFitContent": "Resize to Fit Content", - "textCellMargins": "Cell Margins", - "textFlow": "Flow", - "textRemoveChart": "Remove Chart", - "textEditLink": "Edit Link", - "textRemoveLink": "Remove Link", - "textLink": "Link", - "textDisplay": "Display", - "textScreenTip": "Screen Tip", - "textPageNumbering": "Page Numbering", - "textDifferentFirstPage": "Different first page", - "textDifferentOddAndEvenPages": "Different odd and even pages", - "textLinkToPrevious": "Link to Previous", - "textContinueFromPreviousSection": "Continue from previous section", - "textStartAt": "Start at", - "textFontColors": "Font Colors", - "textAutomatic": "Automatic", - "textAddCustomColor": "Add Custom Color", - "textCustomColor": "Custom Color", - "textFill": "Fill", - "textBorder": "Border", - "textEffects": "Effects", - "textColor": "Color", - "textOpacity": "Opacity", - "textStyleOptions": "Style Options", - "textHeaderRow": "Header Row", - "textTotalRow": "Total Row", - "textBandedRow": "Banded Row", - "textFirstColumn": "First Column", - "textLastColumn": "Last Column", - "textBandedColumn": "Banded Column", - "textType": "Type", - "textNoStyles": "No styles for this type of charts." + "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" }, - "Add": { - "textTable": "Table", - "textShape": "Shape", - "textImage": "Image", - "textOther": "Other", - "textTableSize": "Table Size", - "textColumns": "Columns", - "textRows": "Rows", - "textCancel": "Cancel", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", - "textLinkSettings": "Link Settings", - "textBack": "Back", - "textEmptyImgUrl": "You need to specify image URL.", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "notcriticalErrorTitle": "Warning", - "textAddress": "Address", - "textImageURL": "Image URL", - "textInsertImage": "Insert Image", - "textComment": "Comment", - "textLink": "Link", - "textPageNumber": "Page Number", - "textBreak": "Break", - "textFootnote": "Footnote", - "textAddLink": "Add Link", - "textDisplay": "Display", - "textScreenTip": "Screen Tip", - "textInsert": "Insert", - "textPosition": "Position", - "textLeftTop": "Left Top", - "textCenterTop": "Center Top", - "textRightTop": "Right Top", - "textLeftBottom": "Left Bottom", - "textCenterBottom": "Center Bottom", - "textRightBottom": "Right Bottom", - "textCurrentPosition": "Current Position", - "textPageBreak": "Page Break", - "textColumnBreak": "Column Break", - "textSectionBreak": "Section Break", - "textNextPage": "Next Page", - "textContinuousPage": "Continuous Page", - "textEvenPage": "Even Page", - "textOddPage": "Odd Page", - "textInsertFootnote": "Insert Footnote", - "textBottomOfPage": "Bottom Of Page", - "textBelowText": "Below Text", - "textStartAt": "Start At", - "textLocation": "Location", - "textFormat": "Format" - }, - "About": { - "textAbout": "About", - "textVersion": "Version", - "textEmail": "Email", - "textAddress": "Address", - "textTel": "Tel", - "textPoweredBy": "Powered By", - "textBack": "Back" + "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" } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/es.json b/apps/documenteditor/mobile/locale/es.json index 2261bea8b..c3a5d6163 100644 --- a/apps/documenteditor/mobile/locale/es.json +++ b/apps/documenteditor/mobile/locale/es.json @@ -1,607 +1,517 @@ { - "Common.Controllers.Collaboration.textAddReply": "Añadir Respuesta", - "Common.Controllers.Collaboration.textAtLeast": "al menos", - "Common.Controllers.Collaboration.textAuto": "auto", - "Common.Controllers.Collaboration.textBaseline": "Línea de base", - "Common.Controllers.Collaboration.textBold": "Negrita", - "Common.Controllers.Collaboration.textBreakBefore": "Salto de página anterior", - "Common.Controllers.Collaboration.textCancel": "Cancelar", - "Common.Controllers.Collaboration.textCaps": "Mayúsculas", - "Common.Controllers.Collaboration.textCenter": "Alinear al Centro", - "Common.Controllers.Collaboration.textChart": "Gráfico", - "Common.Controllers.Collaboration.textColor": "Color de fuente", - "Common.Controllers.Collaboration.textContextual": "No añadir intervalo entre párrafos del mismo estilo", - "Common.Controllers.Collaboration.textDelete": "Eliminar", - "Common.Controllers.Collaboration.textDeleteComment": "Eliminar comentario", - "Common.Controllers.Collaboration.textDeleted": "Eliminado:", - "Common.Controllers.Collaboration.textDeleteReply": "Eliminar respuesta", - "Common.Controllers.Collaboration.textDone": "Listo", - "Common.Controllers.Collaboration.textDStrikeout": "Doble tachado", - "Common.Controllers.Collaboration.textEdit": "Editar", - "Common.Controllers.Collaboration.textEditUser": "Usuarios que están editando el archivo:", - "Common.Controllers.Collaboration.textEquation": "Ecuación", - "Common.Controllers.Collaboration.textExact": "exactamente", - "Common.Controllers.Collaboration.textFirstLine": "Primera línea", - "Common.Controllers.Collaboration.textFormatted": "Formateado", - "Common.Controllers.Collaboration.textHighlight": "Color de resaltado", - "Common.Controllers.Collaboration.textImage": "Imagen", - "Common.Controllers.Collaboration.textIndentLeft": "Sangría izquierda", - "Common.Controllers.Collaboration.textIndentRight": "Sangría derecha", - "Common.Controllers.Collaboration.textInserted": "Insertado:", - "Common.Controllers.Collaboration.textItalic": "Cursiva", - "Common.Controllers.Collaboration.textJustify": "Alinear al Ancho", - "Common.Controllers.Collaboration.textKeepLines": "Mantener líneas juntas", - "Common.Controllers.Collaboration.textKeepNext": "Mantener con el siguiente", - "Common.Controllers.Collaboration.textLeft": "Alinear a la Izquierda", - "Common.Controllers.Collaboration.textLineSpacing": "Espaciado de línea: ", - "Common.Controllers.Collaboration.textMessageDeleteComment": "¿Realmente quiere eliminar este comentario?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "¿Realmente quiere eliminar esta respuesta?", - "Common.Controllers.Collaboration.textMultiple": "Multiplicador", - "Common.Controllers.Collaboration.textNoBreakBefore": "Sin salto de página anterior", - "Common.Controllers.Collaboration.textNoChanges": "No hay cambios.", - "Common.Controllers.Collaboration.textNoContextual": "Añadir intervalos entre", - "Common.Controllers.Collaboration.textNoKeepLines": "No mantener líneas juntas", - "Common.Controllers.Collaboration.textNoKeepNext": "No mantener con el siguiente", - "Common.Controllers.Collaboration.textNot": "No", - "Common.Controllers.Collaboration.textNoWidow": "Sin widow control", - "Common.Controllers.Collaboration.textNum": "Cambiar numeración", - "Common.Controllers.Collaboration.textParaDeleted": "Párrafo Eliminado ", - "Common.Controllers.Collaboration.textParaFormatted": "Formato del Párrafo Cambiado", - "Common.Controllers.Collaboration.textParaInserted": "Párrafo Insertado ", - "Common.Controllers.Collaboration.textParaMoveFromDown": "Bajado:", - "Common.Controllers.Collaboration.textParaMoveFromUp": "Subido:", - "Common.Controllers.Collaboration.textParaMoveTo": "Movido:", - "Common.Controllers.Collaboration.textPosition": "Posición", - "Common.Controllers.Collaboration.textReopen": "Volver a abrir", - "Common.Controllers.Collaboration.textResolve": "Resolver", - "Common.Controllers.Collaboration.textRight": "Alinear a la Derecha", - "Common.Controllers.Collaboration.textShape": "Forma", - "Common.Controllers.Collaboration.textShd": "Color del fondo", - "Common.Controllers.Collaboration.textSmallCaps": "Versalitas", - "Common.Controllers.Collaboration.textSpacing": "Espaciado", - "Common.Controllers.Collaboration.textSpacingAfter": "Espaciado después", - "Common.Controllers.Collaboration.textSpacingBefore": "Espaciado antes", - "Common.Controllers.Collaboration.textStrikeout": "Tachado", - "Common.Controllers.Collaboration.textSubScript": "Subíndice", - "Common.Controllers.Collaboration.textSuperScript": "Superíndice", - "Common.Controllers.Collaboration.textTableChanged": "Se cambió configuración de la tabla", - "Common.Controllers.Collaboration.textTableRowsAdd": "Se añadieron filas a la tabla", - "Common.Controllers.Collaboration.textTableRowsDel": "Se eliminaron filas de la tabla", - "Common.Controllers.Collaboration.textTabs": "Cambiar tabuladores", - "Common.Controllers.Collaboration.textUnderline": "Subrayado", - "Common.Controllers.Collaboration.textWidow": "Widow control", - "Common.Controllers.Collaboration.textYes": "Sí", - "Common.UI.ThemeColorPalette.textCustomColors": "Colores personalizados", - "Common.UI.ThemeColorPalette.textStandartColors": "Colores estándar", - "Common.UI.ThemeColorPalette.textThemeColors": "Colores de tema", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAccept": "Aceptar", - "Common.Views.Collaboration.textAcceptAllChanges": "Aceptar Todos los Cambios", - "Common.Views.Collaboration.textAddReply": "Añadir Respuesta", - "Common.Views.Collaboration.textAllChangesAcceptedPreview": "Todos los cambio aceptados (Vista previa)", - "Common.Views.Collaboration.textAllChangesEditing": "Todos los cambios (Edición)", - "Common.Views.Collaboration.textAllChangesRejectedPreview": "Todos los cambios rechazados (Vista previa)", - "Common.Views.Collaboration.textBack": "Atrás", - "Common.Views.Collaboration.textCancel": "Cancelar", - "Common.Views.Collaboration.textChange": "Revisar cambios", - "Common.Views.Collaboration.textCollaboration": "Colaboración", - "Common.Views.Collaboration.textDisplayMode": "Modo de visualización", - "Common.Views.Collaboration.textDone": "Listo", - "Common.Views.Collaboration.textEditReply": "Editar respuesta", - "Common.Views.Collaboration.textEditUsers": "Usuarios", - "Common.Views.Collaboration.textEditСomment": "Editar comentario", - "Common.Views.Collaboration.textFinal": "Final", - "Common.Views.Collaboration.textMarkup": "Cambios", - "Common.Views.Collaboration.textNoComments": "Este documento no contiene comentarios.", - "Common.Views.Collaboration.textOriginal": "Original", - "Common.Views.Collaboration.textReject": "Rechazar", - "Common.Views.Collaboration.textRejectAllChanges": "Rechazar todos los cambios", - "Common.Views.Collaboration.textReview": "Seguimiento de cambios", - "Common.Views.Collaboration.textReviewing": "Revisión", - "Common.Views.Collaboration.textСomments": "Comentarios", - "DE.Controllers.AddContainer.textImage": "Imagen", - "DE.Controllers.AddContainer.textOther": "Otro", - "DE.Controllers.AddContainer.textShape": "Forma", - "DE.Controllers.AddContainer.textTable": "Tabla", - "DE.Controllers.AddImage.notcriticalErrorTitle": "Aviso", - "DE.Controllers.AddImage.textEmptyImgUrl": "Hay que especificar URL de imagen.", - "DE.Controllers.AddImage.txtNotUrl": "Este campo debe ser URL-dirección en el formato 'http://www.example.com'", - "DE.Controllers.AddOther.notcriticalErrorTitle": "Aviso", - "DE.Controllers.AddOther.textBelowText": "Bajo el texto", - "DE.Controllers.AddOther.textBottomOfPage": "Al pie de la página", - "DE.Controllers.AddOther.textCancel": "Cancelar", - "DE.Controllers.AddOther.textContinue": "Continuar", - "DE.Controllers.AddOther.textDelete": "Eliminar", - "DE.Controllers.AddOther.textDeleteDraft": "¿Realmente quiere eliminar el borrador?", - "DE.Controllers.AddOther.txtNotUrl": "Este campo debe ser URL-dirección en el formato 'http://www.example.com'", - "DE.Controllers.AddTable.textCancel": "Cancelar", - "DE.Controllers.AddTable.textColumns": "Columnas", - "DE.Controllers.AddTable.textRows": "Filas", - "DE.Controllers.AddTable.textTableSize": "Tamaño de tabla", - "DE.Controllers.DocumentHolder.errorCopyCutPaste": "Las acciones de copiar, cortar y pegar utilizando el menú contextual se realizarán sólo dentro del archivo actual.", - "DE.Controllers.DocumentHolder.menuAddComment": "Añadir Comentario", - "DE.Controllers.DocumentHolder.menuAddLink": "Añadir Enlace ", - "DE.Controllers.DocumentHolder.menuCopy": "Copiar ", - "DE.Controllers.DocumentHolder.menuCut": "Cortar", - "DE.Controllers.DocumentHolder.menuDelete": "Eliminar", - "DE.Controllers.DocumentHolder.menuDeleteTable": "Borrar tabla", - "DE.Controllers.DocumentHolder.menuEdit": "Editar", - "DE.Controllers.DocumentHolder.menuMerge": "Combinar celdas", - "DE.Controllers.DocumentHolder.menuMore": "Más", - "DE.Controllers.DocumentHolder.menuOpenLink": "Abrir enlace", - "DE.Controllers.DocumentHolder.menuPaste": "Pegar", - "DE.Controllers.DocumentHolder.menuReview": "Revista", - "DE.Controllers.DocumentHolder.menuReviewChange": "Revisar cambios", - "DE.Controllers.DocumentHolder.menuSplit": "Dividir celda", - "DE.Controllers.DocumentHolder.menuViewComment": "Ver comentario", - "DE.Controllers.DocumentHolder.sheetCancel": "Cancelar", - "DE.Controllers.DocumentHolder.textCancel": "Cancelar", - "DE.Controllers.DocumentHolder.textColumns": "Columnas", - "DE.Controllers.DocumentHolder.textCopyCutPasteActions": "Acciones de Copiar, Cortar y Pegar", - "DE.Controllers.DocumentHolder.textDoNotShowAgain": "No mostrar otra vez", - "DE.Controllers.DocumentHolder.textGuest": "Visitante", - "DE.Controllers.DocumentHolder.textRows": "Filas", - "DE.Controllers.EditContainer.textChart": "Gráfico", - "DE.Controllers.EditContainer.textFooter": "Pie de página", - "DE.Controllers.EditContainer.textHeader": "Encabezado", - "DE.Controllers.EditContainer.textHyperlink": "Hiperenlace", - "DE.Controllers.EditContainer.textImage": "Imagen", - "DE.Controllers.EditContainer.textParagraph": "Párrafo", - "DE.Controllers.EditContainer.textSettings": "Ajustes", - "DE.Controllers.EditContainer.textShape": "Forma", - "DE.Controllers.EditContainer.textTable": "Tabla", - "DE.Controllers.EditContainer.textText": "Texto", - "DE.Controllers.EditHyperlink.notcriticalErrorTitle": "Aviso", - "DE.Controllers.EditHyperlink.textEmptyImgUrl": "Hay que especificar URL de imagen", - "DE.Controllers.EditHyperlink.txtNotUrl": "Este campo debe ser URL-dirección en el formato 'http://www.example.com'", - "DE.Controllers.EditImage.notcriticalErrorTitle": "Aviso", - "DE.Controllers.EditImage.textEmptyImgUrl": "Hay que especificar URL de imagen.", - "DE.Controllers.EditImage.txtNotUrl": "Este campo debe ser URL-dirección en el formato 'http://www.example.com'", - "DE.Controllers.EditText.textAuto": "Auto", - "DE.Controllers.EditText.textFonts": "Fuentes", - "DE.Controllers.EditText.textPt": "pt", - "DE.Controllers.Main.advDRMEnterPassword": "Introduzca su contraseña:", - "DE.Controllers.Main.advDRMOptions": "Archivo protegido", - "DE.Controllers.Main.advDRMPassword": "Contraseña", - "DE.Controllers.Main.advTxtOptions": "Elegir opciones de archivo TXT", - "DE.Controllers.Main.applyChangesTextText": "Cargando datos...", - "DE.Controllers.Main.applyChangesTitleText": "Cargando datos", - "DE.Controllers.Main.closeButtonText": "Cerrar archivo", - "DE.Controllers.Main.convertationTimeoutText": "Tiempo de conversión está superado.", - "DE.Controllers.Main.criticalErrorExtText": "Pulse 'OK' para volver a la lista de documentos.", - "DE.Controllers.Main.criticalErrorTitle": "Error", - "DE.Controllers.Main.downloadErrorText": "Fallo en descarga ", - "DE.Controllers.Main.downloadMergeText": "Descargando...", - "DE.Controllers.Main.downloadMergeTitle": "Descargando", - "DE.Controllers.Main.downloadTextText": "Cargando documento...", - "DE.Controllers.Main.downloadTitleText": "Cargando documento", - "DE.Controllers.Main.errorAccessDeny": "Usted no tiene permisos para realizar la acción que está intentando hacer.
Por favor, contacte con su Administrador del Servidor de Documentos.", - "DE.Controllers.Main.errorBadImageUrl": "URL de imagen es incorrecto", - "DE.Controllers.Main.errorCoAuthoringDisconnect": "La conexión al servidor se ha perdido. Usted ya no puede editar.", - "DE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de conexión o póngase en contacto con su administrador.
Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.", - "DE.Controllers.Main.errorDatabaseConnection": "Error externo.
Error de conexión a la base de datos. Por favor, contacte con el equipo de soporte técnico.", - "DE.Controllers.Main.errorDataEncrypted": "Se han recibido cambios cifrados, ellos no pueden ser descifrados.", - "DE.Controllers.Main.errorDataRange": "Rango de datos incorrecto.", - "DE.Controllers.Main.errorDefaultMessage": "Código de error: %1", - "DE.Controllers.Main.errorEditingDownloadas": "Ha ocurrido un error trabajando en el documento.
Use la opción 'Descargar' para guardar la copia de seguridad del documento en el disco duro de su computadora.", - "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 supera la configuración del servidor.
Póngase en contacto con el administrador del servidor para obtener más detalles. ", - "DE.Controllers.Main.errorKeyEncrypt": "Descriptor de clave desconocido", - "DE.Controllers.Main.errorKeyExpire": "Descriptor de clave ha expirado", - "DE.Controllers.Main.errorMailMergeLoadFile": "Error al cargar el archivo. Por favor seleccione uno distinto.", - "DE.Controllers.Main.errorMailMergeSaveFile": "Error de fusión.", - "DE.Controllers.Main.errorOpensource": "Usando la gratuita versión Community, puede abrir los documentos sólo para verlos. Para acceder a los editores web móviles se requiere una licencia comercial.", - "DE.Controllers.Main.errorProcessSaveResult": "Fallo en guardar", - "DE.Controllers.Main.errorServerVersion": "La versión del editor ha sido actualizada. La página será recargada para aplicar los cambios.", - "DE.Controllers.Main.errorSessionAbsolute": "La sesión de editar el documento ha expirado. Por favor, recargue la página.", - "DE.Controllers.Main.errorSessionIdle": "El documento no ha sido editado durante bastante tiempo. Por favor, recargue la página.", - "DE.Controllers.Main.errorSessionToken": "La conexión al servidor ha sido interrumpido. Por favor, recargue la página.", - "DE.Controllers.Main.errorStockChart": "Orden de las filas incorrecto. Para crear un gráfico de cotizaciones introduzca los datos en la hoja en el orden siguiente:
precio de apertura, precio máximo, precio mínimo, precio de cierre.", - "DE.Controllers.Main.errorUpdateVersion": "Se ha cambiado la versión del archivo. La página será actualizada.", - "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "La conexión a Internet se ha restaurado y la versión del archivo ha cambiado a
. Antes de continuar trabajando, necesita descargar el archivo o copiar su contenido para asegurarse de que no ha perdido nada, por ultimo recargue esta pagina.", - "DE.Controllers.Main.errorUserDrop": "No se puede acceder al archivo ahora.", - "DE.Controllers.Main.errorUsersExceed": "El número de usuarios fue superado", - "DE.Controllers.Main.errorViewerDisconnect": "Se ha perdido la conexión. Usted todavía puede visualizar el documento,
pero no podrá descargarlo antes de que la conexión sea restaurada y se actualice la página.", - "DE.Controllers.Main.leavePageText": "Hay cambios no guardados en este documento. Haga clic en \"Permanecer en esta página\" para esperar la función de guardar automáticamente del documento. Haga clic en \"Abandonar esta página\" para descartar todos los cambios no guardados.", - "DE.Controllers.Main.loadFontsTextText": "Cargando datos...", - "DE.Controllers.Main.loadFontsTitleText": "Cargando datos", - "DE.Controllers.Main.loadFontTextText": "Cargando datos...", - "DE.Controllers.Main.loadFontTitleText": "Cargando datos", - "DE.Controllers.Main.loadImagesTextText": "Cargando imágenes...", - "DE.Controllers.Main.loadImagesTitleText": "Cargando imágenes", - "DE.Controllers.Main.loadImageTextText": "Cargando imagen...", - "DE.Controllers.Main.loadImageTitleText": "Cargando imagen", - "DE.Controllers.Main.loadingDocumentTextText": "Cargando documento...", - "DE.Controllers.Main.loadingDocumentTitleText": "Cargando documento", - "DE.Controllers.Main.mailMergeLoadFileText": "Cargando fuente de datos...", - "DE.Controllers.Main.mailMergeLoadFileTitle": "Cargando fuente de datos", - "DE.Controllers.Main.notcriticalErrorTitle": "Aviso", - "DE.Controllers.Main.openErrorText": "Ha ocurrido un error al abrir el archivo ", - "DE.Controllers.Main.openTextText": "Abriendo documento...", - "DE.Controllers.Main.openTitleText": "Abriendo documento", - "DE.Controllers.Main.printTextText": "Imprimiendo documento...", - "DE.Controllers.Main.printTitleText": "Imprimiendo documento", - "DE.Controllers.Main.saveErrorText": "Ha ocurrido un error al guardar el archivo ", - "DE.Controllers.Main.savePreparingText": "Preparando para guardar", - "DE.Controllers.Main.savePreparingTitle": "Preparando para guardar. Espere por favor...", - "DE.Controllers.Main.saveTextText": "Guardando documento...", - "DE.Controllers.Main.saveTitleText": "Guardando documento", - "DE.Controllers.Main.scriptLoadError": "La conexión a Internet es demasiado lenta, no se podía cargar algunos componentes. Por favor, recargue la página.", - "DE.Controllers.Main.sendMergeText": "Envío de los resultados de fusión...", - "DE.Controllers.Main.sendMergeTitle": "Envío de los resultados de fusión", - "DE.Controllers.Main.splitDividerErrorText": "El número de filas debe ser un divisor de %1", - "DE.Controllers.Main.splitMaxColsErrorText": "El número de columnas debe ser menos que %1", - "DE.Controllers.Main.splitMaxRowsErrorText": "El número de filas debe ser menos que %1", - "DE.Controllers.Main.textAnonymous": "Anónimo", - "DE.Controllers.Main.textBack": "Atrás", - "DE.Controllers.Main.textBuyNow": "Visitar sitio web", - "DE.Controllers.Main.textCancel": "Cancelar", - "DE.Controllers.Main.textClose": "Cerrar", - "DE.Controllers.Main.textContactUs": "Equipo de ventas", - "DE.Controllers.Main.textCustomLoader": "Note, por favor, que según los términos de la licencia Usted no tiene derecho a cambiar el cargador.
Por favor, póngase en contacto con nuestro Departamento de Ventas para obtener una cotización.", - "DE.Controllers.Main.textDone": "Listo", - "DE.Controllers.Main.textGuest": "Invitado", - "DE.Controllers.Main.textHasMacros": "El archivo contiene macros automáticas.
¿Quiere ejecutar macros?", - "DE.Controllers.Main.textLoadingDocument": "Cargando documento", - "DE.Controllers.Main.textNo": "No", - "DE.Controllers.Main.textNoLicenseTitle": "Se ha alcanzado el límite de licencias", - "DE.Controllers.Main.textOK": "OK", - "DE.Controllers.Main.textPaidFeature": "Función de pago", - "DE.Controllers.Main.textPassword": "Contraseña", - "DE.Controllers.Main.textPreloader": "Cargando...", - "DE.Controllers.Main.textRemember": "Recordar mi elección para todos los archivos", - "DE.Controllers.Main.textTryUndoRedo": "Las funciones Deshacer/Rehacer son desactivados en el modo de co-edición rápido.", - "DE.Controllers.Main.textUsername": "Nombre de usuario", - "DE.Controllers.Main.textYes": "Sí", - "DE.Controllers.Main.titleLicenseExp": "Licencia ha expirado", - "DE.Controllers.Main.titleServerVersion": "Editor ha sido actualizado", - "DE.Controllers.Main.titleUpdateVersion": "Versión se ha cambiado", - "DE.Controllers.Main.txtAbove": "arriba", - "DE.Controllers.Main.txtArt": "Introduzca su texto aquí", - "DE.Controllers.Main.txtBelow": "abajo", - "DE.Controllers.Main.txtCurrentDocument": "Documento actual", - "DE.Controllers.Main.txtDiagramTitle": "Título del gráfico", - "DE.Controllers.Main.txtEditingMode": "Establecer el modo de edición...", - "DE.Controllers.Main.txtEvenPage": "Página par", - "DE.Controllers.Main.txtFirstPage": "Primera página", - "DE.Controllers.Main.txtFooter": "Pie de página", - "DE.Controllers.Main.txtHeader": "Encabezado", - "DE.Controllers.Main.txtOddPage": "Página impar", - "DE.Controllers.Main.txtOnPage": "en la página", - "DE.Controllers.Main.txtProtected": "Una vez que se ha introducido la contraseña y abierto el archivo, la contraseña actual al archivo se restablecerá", - "DE.Controllers.Main.txtSameAsPrev": "Igual al Anterior", - "DE.Controllers.Main.txtSection": "-Sección", - "DE.Controllers.Main.txtSeries": "Serie", - "DE.Controllers.Main.txtStyle_footnote_text": "Texto de pie de página", - "DE.Controllers.Main.txtStyle_Heading_1": "Título 1", - "DE.Controllers.Main.txtStyle_Heading_2": "Título 2", - "DE.Controllers.Main.txtStyle_Heading_3": "Título 3", - "DE.Controllers.Main.txtStyle_Heading_4": "Título 4", - "DE.Controllers.Main.txtStyle_Heading_5": "Título 5", - "DE.Controllers.Main.txtStyle_Heading_6": "Título 6", - "DE.Controllers.Main.txtStyle_Heading_7": "Título 7", - "DE.Controllers.Main.txtStyle_Heading_8": "Título 8", - "DE.Controllers.Main.txtStyle_Heading_9": "Título 9", - "DE.Controllers.Main.txtStyle_Intense_Quote": "Cita seleccionada", - "DE.Controllers.Main.txtStyle_List_Paragraph": "Párrafo de la lista", - "DE.Controllers.Main.txtStyle_No_Spacing": "Sin espacio", - "DE.Controllers.Main.txtStyle_Normal": "Normal", - "DE.Controllers.Main.txtStyle_Quote": "Cita", - "DE.Controllers.Main.txtStyle_Subtitle": "Subtítulo", - "DE.Controllers.Main.txtStyle_Title": "Título", - "DE.Controllers.Main.txtXAxis": "Eje X", - "DE.Controllers.Main.txtYAxis": "Eje Y", - "DE.Controllers.Main.unknownErrorText": "Error desconocido.", - "DE.Controllers.Main.unsupportedBrowserErrorText": "Su navegador no está soportado.", - "DE.Controllers.Main.uploadImageExtMessage": "Formato de imagen desconocido.", - "DE.Controllers.Main.uploadImageFileCountMessage": "No hay imágenes subidas.", - "DE.Controllers.Main.uploadImageSizeMessage": "Tamaño de imagen máximo está superado.", - "DE.Controllers.Main.uploadImageTextText": "Subiendo imagen...", - "DE.Controllers.Main.uploadImageTitleText": "Subiendo imagen", - "DE.Controllers.Main.waitText": "Por favor, espere...", - "DE.Controllers.Main.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.Main.warnLicenseExp": "Su licencia ha expirado.
Por favor, actualice su licencia y después recargue la página.", - "DE.Controllers.Main.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.Main.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.Main.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.", - "DE.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.", - "DE.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.", - "DE.Controllers.Main.warnProcessRightsChange": "El derecho de edición del archivo es denegado.", - "DE.Controllers.Search.textNoTextFound": "Texto no es encontrado", - "DE.Controllers.Search.textReplaceAll": "Reemplazar todo", - "DE.Controllers.Settings.notcriticalErrorTitle": "Aviso", - "DE.Controllers.Settings.textCustomSize": "Tamaño personalizado", - "DE.Controllers.Settings.txtLoading": "Cargando...", - "DE.Controllers.Settings.unknownText": "Desconocido", - "DE.Controllers.Settings.warnDownloadAs": "Si sigue guardando en este formato todas las características a excepción del texto se perderán.
¿Está seguro de que quiere continuar?", - "DE.Controllers.Settings.warnDownloadAsRTF": "Si continúa guardando en este formato, parte del documento puede perderse.
¿Está seguro que desea continuar?", - "DE.Controllers.Toolbar.dlgLeaveMsgText": "Hay cambios no guardados en este documento. Haga clic en \"Permanecer en esta página\" para esperar la función de guardar automáticamente del documento. Haga clic en \"Abandonar esta página\" para descartar todos los cambios no guardados.", - "DE.Controllers.Toolbar.dlgLeaveTitleText": "Usted abandona la aplicación", - "DE.Controllers.Toolbar.leaveButtonText": "Salir de esta página", - "DE.Controllers.Toolbar.stayButtonText": "Quedarse en esta página", - "DE.Views.AddImage.textAddress": "Dirección", - "DE.Views.AddImage.textBack": "Atrás", - "DE.Views.AddImage.textFromLibrary": "Imagen de biblioteca", - "DE.Views.AddImage.textFromURL": "Imagen de URL", - "DE.Views.AddImage.textImageURL": "URL de imagen", - "DE.Views.AddImage.textInsertImage": "Insertar imagen", - "DE.Views.AddImage.textLinkSettings": "Ajustes de enlace", - "DE.Views.AddOther.textAddComment": "Añadir comentario", - "DE.Views.AddOther.textAddLink": "Añadir Enlace ", - "DE.Views.AddOther.textBack": "Atrás", - "DE.Views.AddOther.textBreak": "Salto", - "DE.Views.AddOther.textCenterBottom": "Abajo en centro", - "DE.Views.AddOther.textCenterTop": "Arriba en el centro", - "DE.Views.AddOther.textColumnBreak": "Salto de columna", - "DE.Views.AddOther.textComment": "Comentario", - "DE.Views.AddOther.textContPage": "Página continua", - "DE.Views.AddOther.textCurrentPos": "Posición actual", - "DE.Views.AddOther.textDisplay": "Mostrar", - "DE.Views.AddOther.textDone": "Listo", - "DE.Views.AddOther.textEvenPage": "Página par", - "DE.Views.AddOther.textFootnote": "Nota al pie", - "DE.Views.AddOther.textFormat": "Formato", - "DE.Views.AddOther.textInsert": "Insertar", - "DE.Views.AddOther.textInsertFootnote": "Insertar nota al pie", - "DE.Views.AddOther.textLeftBottom": "Abajo a la izquierda", - "DE.Views.AddOther.textLeftTop": "Arriba a la izquierda", - "DE.Views.AddOther.textLink": "Enlace", - "DE.Views.AddOther.textLocation": "Ubicación", - "DE.Views.AddOther.textNextPage": "Página siguiente", - "DE.Views.AddOther.textOddPage": "Página impar", - "DE.Views.AddOther.textPageBreak": "Salto de página ", - "DE.Views.AddOther.textPageNumber": "Número de página", - "DE.Views.AddOther.textPosition": "Posición", - "DE.Views.AddOther.textRightBottom": "Abajo a la derecha", - "DE.Views.AddOther.textRightTop": "Arriba a la derecha", - "DE.Views.AddOther.textSectionBreak": "Salto de sección", - "DE.Views.AddOther.textStartFrom": "Empezar con", - "DE.Views.AddOther.textTip": "Consejos de pantalla", - "DE.Views.EditChart.textAddCustomColor": "Añadir Color Personalizado", - "DE.Views.EditChart.textAlign": "Alineación", - "DE.Views.EditChart.textBack": "Atrás", - "DE.Views.EditChart.textBackward": "Mover atrás", - "DE.Views.EditChart.textBehind": "Detrás", - "DE.Views.EditChart.textBorder": "Borde", - "DE.Views.EditChart.textColor": "Color", - "DE.Views.EditChart.textCustomColor": "Color personalizado", - "DE.Views.EditChart.textDistanceText": "Distancia del texto", - "DE.Views.EditChart.textFill": "Relleno", - "DE.Views.EditChart.textForward": "Mover adelante", - "DE.Views.EditChart.textInFront": "Adelante", - "DE.Views.EditChart.textInline": "Alineado", - "DE.Views.EditChart.textMoveText": "Desplazar con texto", - "DE.Views.EditChart.textOverlap": "Permitir Superposición", - "DE.Views.EditChart.textRemoveChart": "Eliminar gráfico", - "DE.Views.EditChart.textReorder": "Reorganizar", - "DE.Views.EditChart.textSize": "Tamaño", - "DE.Views.EditChart.textSquare": "Cuadrado", - "DE.Views.EditChart.textStyle": "Estilo", - "DE.Views.EditChart.textThrough": "A través", - "DE.Views.EditChart.textTight": "Estrecho", - "DE.Views.EditChart.textToBackground": "Enviar al fondo", - "DE.Views.EditChart.textToForeground": "Traer al frente", - "DE.Views.EditChart.textTopBottom": "Superior e inferior", - "DE.Views.EditChart.textType": "Tipo", - "DE.Views.EditChart.textWrap": "Envoltura", - "DE.Views.EditHeader.textDiffFirst": "Primera página diferente", - "DE.Views.EditHeader.textDiffOdd": "Páginas impares y pares diferentes", - "DE.Views.EditHeader.textFrom": "Empezar con", - "DE.Views.EditHeader.textPageNumbering": "Numeración de páginas", - "DE.Views.EditHeader.textPrev": "Continuar desde la sección anterior", - "DE.Views.EditHeader.textSameAs": "Vincular al anterior", - "DE.Views.EditHyperlink.textDisplay": "Mostrar", - "DE.Views.EditHyperlink.textEdit": "Editar enlace", - "DE.Views.EditHyperlink.textLink": "Enlace", - "DE.Views.EditHyperlink.textRemove": "Eliminar enlace", - "DE.Views.EditHyperlink.textTip": "Consejos de pantalla", - "DE.Views.EditImage.textAddress": "Dirección", - "DE.Views.EditImage.textAlign": "Alineación", - "DE.Views.EditImage.textBack": "Atrás", - "DE.Views.EditImage.textBackward": "Mover atrás", - "DE.Views.EditImage.textBehind": "Detrás", - "DE.Views.EditImage.textDefault": "Tamaño Real", - "DE.Views.EditImage.textDistanceText": "Distancia del texto", - "DE.Views.EditImage.textForward": "Mover adelante", - "DE.Views.EditImage.textFromLibrary": "Imagen de biblioteca", - "DE.Views.EditImage.textFromURL": "Imagen de URL", - "DE.Views.EditImage.textImageURL": "URL de imagen", - "DE.Views.EditImage.textInFront": "Adelante", - "DE.Views.EditImage.textInline": "Alineado", - "DE.Views.EditImage.textLinkSettings": "Ajustes de enlace", - "DE.Views.EditImage.textMoveText": "Desplazar con texto", - "DE.Views.EditImage.textOverlap": "Permitir Superposición", - "DE.Views.EditImage.textRemove": "Eliminar imagen", - "DE.Views.EditImage.textReorder": "Reorganizar", - "DE.Views.EditImage.textReplace": "Reemplazar", - "DE.Views.EditImage.textReplaceImg": "Reemplazar imagen", - "DE.Views.EditImage.textSquare": "Cuadrado", - "DE.Views.EditImage.textThrough": "A través", - "DE.Views.EditImage.textTight": "Estrecho", - "DE.Views.EditImage.textToBackground": "Enviar al fondo", - "DE.Views.EditImage.textToForeground": "Traer al frente", - "DE.Views.EditImage.textTopBottom": "Superior e inferior", - "DE.Views.EditImage.textWrap": "Envoltura", - "DE.Views.EditParagraph.textAddCustomColor": "Añadir Color Personalizado", - "DE.Views.EditParagraph.textAdvanced": "Avanzado", - "DE.Views.EditParagraph.textAdvSettings": "Ajustes Avanzados", - "DE.Views.EditParagraph.textAfter": "Después", - "DE.Views.EditParagraph.textAuto": "Auto", - "DE.Views.EditParagraph.textBack": "Atrás", - "DE.Views.EditParagraph.textBackground": "Fondo", - "DE.Views.EditParagraph.textBefore": "Antes", - "DE.Views.EditParagraph.textCustomColor": "Color personalizado", - "DE.Views.EditParagraph.textFirstLine": "Primera línea", - "DE.Views.EditParagraph.textFromText": "Distancia del texto", - "DE.Views.EditParagraph.textKeepLines": "Mantener líneas juntas", - "DE.Views.EditParagraph.textKeepNext": "Conservar con el siguiente", - "DE.Views.EditParagraph.textOrphan": "Control de líneas huérfanas", - "DE.Views.EditParagraph.textPageBreak": "Salto de página antes", - "DE.Views.EditParagraph.textPrgStyles": "Estilos de párrafo", - "DE.Views.EditParagraph.textSpaceBetween": "Espacio entre párrafos", - "DE.Views.EditShape.textAddCustomColor": "Añadir Color Personalizado", - "DE.Views.EditShape.textAlign": "Alineación", - "DE.Views.EditShape.textBack": "Atrás", - "DE.Views.EditShape.textBackward": "Mover atrás", - "DE.Views.EditShape.textBehind": "Detrás", - "DE.Views.EditShape.textBorder": "Borde", - "DE.Views.EditShape.textColor": "Color", - "DE.Views.EditShape.textCustomColor": "Color personalizado", - "DE.Views.EditShape.textEffects": "Efectos", - "DE.Views.EditShape.textFill": "Relleno", - "DE.Views.EditShape.textForward": "Mover adelante", - "DE.Views.EditShape.textFromText": "Distancia del texto", - "DE.Views.EditShape.textInFront": "Adelante", - "DE.Views.EditShape.textInline": "Alineado", - "DE.Views.EditShape.textOpacity": "Opacidad ", - "DE.Views.EditShape.textOverlap": "Permitir Superposición", - "DE.Views.EditShape.textRemoveShape": "Eliminar forma", - "DE.Views.EditShape.textReorder": "Reorganizar", - "DE.Views.EditShape.textReplace": "Reemplazar", - "DE.Views.EditShape.textSize": "Tamaño", - "DE.Views.EditShape.textSquare": "Cuadrado", - "DE.Views.EditShape.textStyle": "Estilo", - "DE.Views.EditShape.textThrough": "A través", - "DE.Views.EditShape.textTight": "Estrecho", - "DE.Views.EditShape.textToBackground": "Enviar al fondo", - "DE.Views.EditShape.textToForeground": "Traer al frente", - "DE.Views.EditShape.textTopAndBottom": "Superior e inferior", - "DE.Views.EditShape.textWithText": "Desplazar con texto", - "DE.Views.EditShape.textWrap": "Envoltura", - "DE.Views.EditTable.textAddCustomColor": "Añadir Color Personalizado", - "DE.Views.EditTable.textAlign": "Alineación", - "DE.Views.EditTable.textBack": "Atrás", - "DE.Views.EditTable.textBandedColumn": "Columna de bandas", - "DE.Views.EditTable.textBandedRow": "Fila de bandas", - "DE.Views.EditTable.textBorder": "Borde", - "DE.Views.EditTable.textCellMargins": "Márgenes de celda", - "DE.Views.EditTable.textColor": "Color", - "DE.Views.EditTable.textCustomColor": "Color personalizado", - "DE.Views.EditTable.textFill": "Relleno", - "DE.Views.EditTable.textFirstColumn": "Primera columna", - "DE.Views.EditTable.textFlow": "Flujo", - "DE.Views.EditTable.textFromText": "Distancia del texto", - "DE.Views.EditTable.textHeaderRow": "Fila de encabezado", - "DE.Views.EditTable.textInline": "Alineado", - "DE.Views.EditTable.textLastColumn": "Columna última", - "DE.Views.EditTable.textOptions": "Opciones", - "DE.Views.EditTable.textRemoveTable": "Eliminar tabla", - "DE.Views.EditTable.textRepeatHeader": "Repetir como fila de encabezado", - "DE.Views.EditTable.textResizeFit": "Redimensionar para adaptar al contenido", - "DE.Views.EditTable.textSize": "Tamaño", - "DE.Views.EditTable.textStyle": "Estilo", - "DE.Views.EditTable.textStyleOptions": "Opciones de estilo", - "DE.Views.EditTable.textTableOptions": "Opciones de tabla", - "DE.Views.EditTable.textTotalRow": "Fila de total", - "DE.Views.EditTable.textWithText": "Desplazar con texto", - "DE.Views.EditTable.textWrap": "Envoltura", - "DE.Views.EditText.textAddCustomColor": "Añadir Color Personalizado", - "DE.Views.EditText.textAdditional": "Adicional", - "DE.Views.EditText.textAdditionalFormat": "Ajustes de Formato Adicional", - "DE.Views.EditText.textAllCaps": "Mayúsculas", - "DE.Views.EditText.textAutomatic": "Automático", - "DE.Views.EditText.textBack": "Atrás", - "DE.Views.EditText.textBullets": "Viñetas", - "DE.Views.EditText.textCharacterBold": "B", - "DE.Views.EditText.textCharacterItalic": "I", - "DE.Views.EditText.textCharacterStrikethrough": "S", - "DE.Views.EditText.textCharacterUnderline": "U", - "DE.Views.EditText.textCustomColor": "Color personalizado", - "DE.Views.EditText.textDblStrikethrough": "Doble tachado", - "DE.Views.EditText.textDblSuperscript": "Sobreíndice", - "DE.Views.EditText.textFontColor": "Color de fuente", - "DE.Views.EditText.textFontColors": "Color de fuente", - "DE.Views.EditText.textFonts": "Fuentes", - "DE.Views.EditText.textHighlightColor": "Color de resaltado", - "DE.Views.EditText.textHighlightColors": "Color de resaltado", - "DE.Views.EditText.textLetterSpacing": "Espaciado de letras", - "DE.Views.EditText.textLineSpacing": "Espaciado de línea", - "DE.Views.EditText.textNone": "Ninguno", - "DE.Views.EditText.textNumbers": "Números", - "DE.Views.EditText.textSize": "Tamaño", - "DE.Views.EditText.textSmallCaps": "Mayúsculas pequeñas", - "DE.Views.EditText.textStrikethrough": "Tachado", - "DE.Views.EditText.textSubscript": "Subíndice", - "DE.Views.Search.textCase": "Sensible a mayúsculas y minúsculas", - "DE.Views.Search.textDone": "Listo", - "DE.Views.Search.textFind": "Encontrar", - "DE.Views.Search.textFindAndReplace": "Encontrar y reemplazar", - "DE.Views.Search.textHighlight": "Resaltar resultados", - "DE.Views.Search.textReplace": "Reemplazar", - "DE.Views.Search.textSearch": "Buscar", - "DE.Views.Settings.textAbout": "Relacionado", - "DE.Views.Settings.textAddress": "Dirección", - "DE.Views.Settings.textAdvancedSettings": "Ajustes de aplicación", - "DE.Views.Settings.textApplication": "Aplicación", - "DE.Views.Settings.textAuthor": "Autor", - "DE.Views.Settings.textBack": "Atrás", - "DE.Views.Settings.textBottom": "Abajo ", - "DE.Views.Settings.textCentimeter": "Centímetro", - "DE.Views.Settings.textCollaboration": "Colaboración", - "DE.Views.Settings.textColorSchemes": "Esquemas de color", - "DE.Views.Settings.textComment": "Comentario", - "DE.Views.Settings.textCommentingDisplay": "Visualización de comentarios", - "DE.Views.Settings.textCreated": "Creado; Creada", - "DE.Views.Settings.textCreateDate": "Fecha de creación", - "DE.Views.Settings.textCustom": "Personalizado", - "DE.Views.Settings.textCustomSize": "Tamaño personalizado", - "DE.Views.Settings.textDisableAll": "Deshabilitar todo", - "DE.Views.Settings.textDisableAllMacrosWithNotification": "Deshabilitar todas las macros con notificación", - "DE.Views.Settings.textDisableAllMacrosWithoutNotification": "Deshabilitar todas las macros sin notificación", - "DE.Views.Settings.textDisplayComments": "Comentarios", - "DE.Views.Settings.textDisplayResolvedComments": "Comentarios resueltos.", - "DE.Views.Settings.textDocInfo": "Información de documento", - "DE.Views.Settings.textDocTitle": "Título de documento", - "DE.Views.Settings.textDocumentFormats": "Formatos de documento", - "DE.Views.Settings.textDocumentSettings": "Ajustes de documento", - "DE.Views.Settings.textDone": "Listo", - "DE.Views.Settings.textDownload": "Descargar", - "DE.Views.Settings.textDownloadAs": "Descargar como...", - "DE.Views.Settings.textEditDoc": "Editar documento", - "DE.Views.Settings.textEmail": "E-mail", - "DE.Views.Settings.textEnableAll": "Habilitar todo", - "DE.Views.Settings.textEnableAllMacrosWithoutNotification": "Habilitar todas las macros sin notificación ", - "DE.Views.Settings.textFind": "Encontrar", - "DE.Views.Settings.textFindAndReplace": "Encontrar y reemplazar", - "DE.Views.Settings.textFormat": "Formato", - "DE.Views.Settings.textHelp": "Ayuda", - "DE.Views.Settings.textHiddenTableBorders": "Bordes de tabla escondidos", - "DE.Views.Settings.textInch": "Pulgada", - "DE.Views.Settings.textLandscape": "Horizontal", - "DE.Views.Settings.textLastModified": "Ultima modificación.", - "DE.Views.Settings.textLastModifiedBy": "Ultima modificación por...", - "DE.Views.Settings.textLeft": "A la izquierda", - "DE.Views.Settings.textLoading": "Cargando...", - "DE.Views.Settings.textLocation": "Lugar", - "DE.Views.Settings.textMacrosSettings": "Ajustes de macros", - "DE.Views.Settings.textMargins": "Márgenes", - "DE.Views.Settings.textNoCharacters": "Caracteres no imprimibles", - "DE.Views.Settings.textOrientation": "Orientación ", - "DE.Views.Settings.textOwner": "Dueño", - "DE.Views.Settings.textPages": "Páginas", - "DE.Views.Settings.textParagraphs": "Párrafos", - "DE.Views.Settings.textPoint": "Punto", - "DE.Views.Settings.textPortrait": "Vertical", - "DE.Views.Settings.textPoweredBy": "Desarrollado por", - "DE.Views.Settings.textPrint": "Imprimir", - "DE.Views.Settings.textReader": "Modo de lectura", - "DE.Views.Settings.textReview": "Seguimiento de cambios", - "DE.Views.Settings.textRight": "A la derecha", - "DE.Views.Settings.textSettings": "Ajustes", - "DE.Views.Settings.textShowNotification": "Mostrar notificación", - "DE.Views.Settings.textSpaces": "Espacios", - "DE.Views.Settings.textSpellcheck": "Сorrección ortográfica", - "DE.Views.Settings.textStatistic": "Estadística", - "DE.Views.Settings.textSubject": "Asunto", - "DE.Views.Settings.textSymbols": "Símbolos", - "DE.Views.Settings.textTel": "Tel.", - "DE.Views.Settings.textTitle": "Título", - "DE.Views.Settings.textTop": "Superior", - "DE.Views.Settings.textUnitOfMeasurement": "Unidad de medida", - "DE.Views.Settings.textUploaded": "Cargado", - "DE.Views.Settings.textVersion": "Versión ", - "DE.Views.Settings.textWords": "Palabras", - "DE.Views.Settings.unknownText": "Desconocido", - "DE.Views.Toolbar.textBack": "Atrás" + "About": { + "textAbout": "Acerca de", + "textAddress": "Dirección", + "textBack": "Atrás", + "textEmail": "E-mail", + "textPoweredBy": "Con tecnología de", + "textTel": "Tel", + "textVersion": "Versión " + }, + "Add": { + "notcriticalErrorTitle": "Advertencia", + "textAddLink": "Añadir enlace ", + "textAddress": "Dirección", + "textBack": "Atrás", + "textBelowText": "Bajo el texto", + "textBottomOfPage": "Final de la página", + "textBreak": "Salto", + "textCancel": "Cancelar", + "textCenterBottom": "Abajo en el centro", + "textCenterTop": "Arriba en el centro", + "textColumnBreak": "Salto de columna", + "textColumns": "Columnas", + "textComment": "Comentario", + "textContinuousPage": "Página continua", + "textCurrentPosition": "Posición actual", + "textDisplay": "Mostrar", + "textEmptyImgUrl": "Hay que especificar URL de imagen.", + "textEvenPage": "Página par", + "textFootnote": "Nota a pie de página", + "textFormat": "Formato", + "textImage": "Imagen", + "textImageURL": "URL de imagen", + "textInsert": "Insertar", + "textInsertFootnote": "Insertar nota a pie de página", + "textInsertImage": "Insertar imagen", + "textLeftBottom": "Abajo a la izquierda", + "textLeftTop": "Arriba a la izquierda", + "textLink": "Enlace", + "textLinkSettings": "Ajustes de enlace", + "textLocation": "Ubicación", + "textNextPage": "Página siguiente", + "textOddPage": "Página impar", + "textOther": "Otros", + "textPageBreak": "Salto de página ", + "textPageNumber": "Número de página", + "textPictureFromLibrary": "Imagen desde biblioteca", + "textPictureFromURL": "Imagen desde URL", + "textPosition": "Posición", + "textRightBottom": "Abajo a la derecha", + "textRightTop": "Arriba a la derecha", + "textRows": "Filas", + "textScreenTip": "Consejo de pantalla", + "textSectionBreak": "Salto de sección", + "textShape": "Forma", + "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\"" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Advertencia", + "textAccept": "Aceptar", + "textAcceptAllChanges": "Aceptar todos los cambios", + "textAddComment": "Añadir comentario", + "textAddReply": "Añadir respuesta", + "textAllChangesAcceptedPreview": "Todos los cambio aceptados (Vista previa)", + "textAllChangesEditing": "Todos los cambios (Edición)", + "textAllChangesRejectedPreview": "Todos los cambios rechazados (Vista previa)", + "textAtLeast": "al menos", + "textAuto": "Auto", + "textBack": "Atrás", + "textBaseline": "Línea de base", + "textBold": "Negrita", + "textBreakBefore": "Salto de página antes", + "textCancel": "Cancelar", + "textCaps": "Mayúsculas", + "textCenter": "Alinear al centro", + "textChart": "Gráfico", + "textCollaboration": "Colaboración", + "textColor": "Color de fuente", + "textComments": "Comentarios", + "textContextual": "No añadir intervalos entre párrafos del mismo estilo", + "textDelete": "Eliminar", + "textDeleteComment": "Eliminar comentario", + "textDeleted": "Eliminado:", + "textDeleteReply": "Eliminar respuesta", + "textDisplayMode": "Modo de visualización", + "textDone": "Listo", + "textDStrikeout": "Doble tachado", + "textEdit": "Editar", + "textEditComment": "Editar comentario", + "textEditReply": "Editar respuesta", + "textEditUser": "Usuarios que están editando el archivo:", + "textEquation": "Ecuación", + "textExact": "exactamente", + "textFinal": "Final", + "textFirstLine": "Primera línea", + "textFormatted": "Formateado", + "textHighlight": "Color de resaltado", + "textImage": "Imagen", + "textIndentLeft": "Sangría izquierda", + "textIndentRight": "Sangría derecha", + "textInserted": "Insertado:", + "textItalic": "Cursiva", + "textJustify": "Alinear justificado", + "textKeepLines": "Mantener líneas juntas", + "textKeepNext": "Mantener con el siguiente", + "textLeft": "Alinear a la izquierda", + "textLineSpacing": "Espaciado de línea: ", + "textMarkup": "Revisiones", + "textMessageDeleteComment": "¿Realmente quiere eliminar este comentario?", + "textMessageDeleteReply": "¿Realmente quiere eliminar esta respuesta?", + "textMultiple": "múltiple", + "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", + "textNoKeepLines": "No mantener líneas juntas", + "textNoKeepNext": "No mantener con el siguiente", + "textNot": "No", + "textNoWidow": "Sin control de viudas", + "textNum": "Cambiar numeración", + "textOriginal": "Original", + "textParaDeleted": "Párrafo eliminado", + "textParaFormatted": "Párrafo formateado", + "textParaInserted": "Párrafo insertado", + "textParaMoveFromDown": "Movido hacia abajo:", + "textParaMoveFromUp": "Movido hacia arriba:", + "textParaMoveTo": "Movido:", + "textPosition": "Posición", + "textReject": "Rechazar", + "textRejectAllChanges": "Rechazar todos los cambios", + "textReopen": "Volver a abrir", + "textResolve": "Resolver", + "textReview": "Revisión", + "textReviewChange": "Revisar cambios", + "textRight": "Alinear a la derecha", + "textShape": "Forma", + "textShd": "Color de fondo", + "textSmallCaps": "Versalitas", + "textSpacing": "Espaciado", + "textSpacingAfter": "Espaciado después", + "textSpacingBefore": "Espaciado antes", + "textStrikeout": "Tachado", + "textSubScript": "Subíndice", + "textSuperScript": "Superíndice", + "textTableChanged": "Cambios en los ajustes de la tabla", + "textTableRowsAdd": "Filas de la tabla añadidas", + "textTableRowsDel": "Filas de la tabla eliminadas", + "textTabs": "Cambiar tabulaciones", + "textTrackChanges": "Seguimiento de cambios", + "textTryUndoRedo": "Las funciones Deshacer/Rehacer están desactivadas en el modo de co-edición rápido.", + "textUnderline": "Subrayar", + "textUsers": "Usuarios", + "textWidow": "Control de viudas" + }, + "ThemeColorPalette": { + "textCustomColors": "Colores personalizados", + "textStandartColors": "Colores estándar", + "textThemeColors": "Colores de tema" + } + }, + "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 ", + "menuCancel": "Cancelar", + "menuDelete": "Eliminar", + "menuDeleteTable": "Eliminar tabla", + "menuEdit": "Editar", + "menuMerge": "Combinar", + "menuMore": "Más", + "menuOpenLink": "Abrir enlace", + "menuReview": "Revisión", + "menuReviewChange": "Revisar cambios", + "menuSplit": "Dividir", + "menuViewComment": "Ver comentario", + "textColumns": "Columnas", + "textCopyCutPasteActions": "Acciones de Copiar, Cortar y Pegar", + "textDoNotShowAgain": "No mostrar de nuevo", + "textRows": "Filas" + }, + "Edit": { + "notcriticalErrorTitle": "Advertencia", + "textActualSize": "Tamaño actual", + "textAddCustomColor": "Añadir color personalizado", + "textAdditional": "Adicional", + "textAdditionalFormatting": "Formateo adicional", + "textAddress": "Dirección", + "textAdvanced": "Avanzado", + "textAdvancedSettings": "Ajustes avanzados", + "textAfter": "Después", + "textAlign": "Alinear", + "textAllCaps": "Mayúsculas", + "textAllowOverlap": "Permitir solapamientos", + "textAuto": "Auto", + "textAutomatic": "Automático", + "textBack": "Atrás", + "textBackground": "Fondo", + "textBandedColumn": "Columna con bandas", + "textBandedRow": "Fila con bandas", + "textBefore": "Antes", + "textBehind": "Detrás", + "textBorder": "Borde", + "textBringToForeground": "Traer al primer plano", + "textBulletsAndNumbers": "Viñetas y números", + "textCellMargins": "Márgenes de celda", + "textChart": "Gráfico", + "textClose": "Cerrar", + "textColor": "Color", + "textContinueFromPreviousSection": "Continuar desde la sección anterior", + "textCustomColor": "Color personalizado", + "textDifferentFirstPage": "Primera página diferente", + "textDifferentOddAndEvenPages": "Páginas impares y pares diferentes", + "textDisplay": "Mostrar", + "textDistanceFromText": "Distancia del texto", + "textDoubleStrikethrough": "Doble tachado", + "textEditLink": "Editar enlace", + "textEffects": "Efectos", + "textEmptyImgUrl": "Hay que especificar URL de imagen.", + "textFill": "Rellenar", + "textFirstColumn": "Primera columna", + "textFirstLine": "PrimeraLínea", + "textFlow": "Flujo", + "textFontColor": "Color de fuente", + "textFontColors": "Colores de fuente", + "textFonts": "Fuentes", + "textFooter": "Pie de página", + "textHeader": "Encabezado", + "textHeaderRow": "Fila de encabezado", + "textHighlightColor": "Color de resaltado", + "textHyperlink": "Hiperenlace", + "textImage": "Imagen", + "textImageURL": "URL de imagen", + "textInFront": "Adelante", + "textInline": "Alineado", + "textKeepLinesTogether": "Mantener líneas juntas", + "textKeepWithNext": "Mantener con el siguiente", + "textLastColumn": "Columna última", + "textLetterSpacing": "Espaciado de letras", + "textLineSpacing": "Espaciado de línea", + "textLink": "Enlace", + "textLinkSettings": "Ajustes de enlace", + "textLinkToPrevious": "Vincular al anterior", + "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\"", + "textOpacity": "Opacidad ", + "textOptions": "Opciones", + "textOrphanControl": "Control de líneas huérfanas", + "textPageBreakBefore": "Salto de página antes", + "textPageNumbering": "Numeración de páginas", + "textParagraph": "Párrafo", + "textParagraphStyles": "Estilos de párrafo", + "textPictureFromLibrary": "Imagen desde biblioteca", + "textPictureFromURL": "Imagen desde URL", + "textPt": "pt", + "textRemoveChart": "Eliminar gráfico", + "textRemoveImage": "Eliminar imagen", + "textRemoveLink": "Eliminar enlace", + "textRemoveShape": "Eliminar forma", + "textRemoveTable": "Eliminar tabla", + "textReorder": "Reordenar", + "textRepeatAsHeaderRow": "Repetir como fila de encabezado", + "textReplace": "Reemplazar", + "textReplaceImage": "Reemplazar imagen", + "textResizeToFitContent": "Cambiar tamaño para ajustar el contenido", + "textScreenTip": "Consejo de pantalla", + "textSelectObjectToEdit": "Seleccionar el objeto para editar", + "textSendToBackground": "Enviar al fondo", + "textSettings": "Ajustes", + "textShape": "Forma", + "textSize": "Tamaño", + "textSmallCaps": "Versalitas", + "textSpaceBetweenParagraphs": "Espacio entre párrafos", + "textSquare": "Cuadrado", + "textStartAt": "Empezar con", + "textStrikethrough": "Tachado", + "textStyle": "Estilo", + "textStyleOptions": "Opciones de estilo", + "textSubscript": "Subíndice", + "textSuperscript": "Superíndice", + "textTable": "Tabla", + "textTableOptions": "Opciones de tabla", + "textText": "Texto", + "textThrough": "A través", + "textTight": "Estrecho", + "textTopAndBottom": "Superior e inferior", + "textTotalRow": "Fila total", + "textType": "Tipo", + "textWrap": "Ajuste" + }, + "Error": { + "convertationTimeoutText": "Tiempo de conversión está superado.", + "criticalErrorExtText": "Pulse \"OK\" para volver a la lista de documentos.", + "criticalErrorTitle": "Error", + "downloadErrorText": "Error al descargar.", + "errorAccessDeny": "Está intentando realizar una acción para la que no tiene derechos.
Por favor, contacte con su administrador.", + "errorBadImageUrl": "URL de imagen es incorrecta", + "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.", + "errorDatabaseConnection": "Error externo.
Error de conexión a la base de datos. Por favor, contacte con el equipo de soporte técnico.", + "errorDataEncrypted": "Se han recibido cambios cifrados, ellos no pueden ser descifrados.", + "errorDataRange": "Rango de datos incorrecto.", + "errorDefaultMessage": "Código de error: %1", + "errorEditingDownloadas": "Se ha producido un error al trabajar con el documento.
Descargue el documento para guardar la copia de seguridad del archivo localmente.", + "errorFilePassProtect": "El archivo está protegido por contraseña y no se puede abrir.", + "errorFileSizeExceed": "El tamaño del archivo excede el límite de su servidor.
Por favor, contacte con su administrador.", + "errorKeyEncrypt": "Descriptor de clave desconocido", + "errorKeyExpire": "Descriptor de clave ha expirado", + "errorMailMergeLoadFile": "Error de carga", + "errorMailMergeSaveFile": "Error de combinar.", + "errorSessionAbsolute": "La sesión de edición del documento ha expirado. Por favor, vuelva a cargar la página.", + "errorSessionIdle": "El documento no ha sido editado desde hace mucho tiempo. Por favor, vuelva a cargar la página.", + "errorSessionToken": "La conexión con el servidor se ha interrumpido. Por favor, vuelva a cargar la página.", + "errorStockChart": "Orden incorrecto de las filas. Para construir un gráfico de cotizaciones, coloque los datos en la hoja en el siguiente orden:
precio de apertura, precio máximo, precio mínimo, precio de cierre.", + "errorUpdateVersionOnDisconnect": "La conexión a Internet se ha restaurado y la versión del archivo ha cambiado.
Antes de continuar trabajando, necesita descargar el archivo o copiar su contenido para asegurarse de que no ha perdido nada y luego recargar esta página.", + "errorUserDrop": "No se puede acceder al archivo en este momento.", + "errorUsersExceed": "El número de usuarios permitido según su plan de precios fue excedido", + "errorViewerDisconnect": "Se ha perdido la conexión. Todavía puede ver el documento,
pero no podrá descargarlo hasta que se restablezca la conexión y se recargue la página.", + "notcriticalErrorTitle": "Advertencia", + "openErrorText": "Se ha producido un error al abrir el archivo ", + "saveErrorText": "Se ha producido un error al guardar el archivo ", + "scriptLoadError": "La conexión es demasiado lenta, algunos de los componentes no se han podido cargar. Por favor, vuelva a cargar la página.", + "splitDividerErrorText": "El número de filas debe ser un divisor de %1", + "splitMaxColsErrorText": "El número de columnas debe ser menor que %1", + "splitMaxRowsErrorText": "El número de filas debe ser menor que %1", + "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." + }, + "LongActions": { + "applyChangesTextText": "Cargando datos...", + "applyChangesTitleText": "Cargando datos", + "downloadMergeText": "Descargando...", + "downloadMergeTitle": "Descargando", + "downloadTextText": "Descargando documento...", + "downloadTitleText": "Descargando documento", + "loadFontsTextText": "Cargando datos...", + "loadFontsTitleText": "Cargando datos", + "loadFontTextText": "Cargando datos...", + "loadFontTitleText": "Cargando datos", + "loadImagesTextText": "Cargando imágenes...", + "loadImagesTitleText": "Cargando imágenes", + "loadImageTextText": "Cargando imagen...", + "loadImageTitleText": "Cargando imagen", + "loadingDocumentTextText": "Cargando documento...", + "loadingDocumentTitleText": "Cargando documento", + "mailMergeLoadFileText": "Cargando fuente de datos...", + "mailMergeLoadFileTitle": "Cargando fuente de datos", + "openTextText": "Abriendo documento...", + "openTitleText": "Abriendo documento", + "printTextText": "Imprimiendo documento...", + "printTitleText": "Imprimiendo documento", + "savePreparingText": "Preparando para guardar", + "savePreparingTitle": "Preparando para guardar. Espere por favor...", + "saveTextText": "Guardando documento...", + "saveTitleText": "Guardando documento", + "sendMergeText": "Envío de los resultados de fusión...", + "sendMergeTitle": "Envío de los resultados de fusión", + "textLoadingDocument": "Cargando documento", + "txtEditingMode": "Establecer el modo de edición...", + "uploadImageTextText": "Cargando imagen...", + "uploadImageTitleText": "Cargando imagen", + "waitText": "Por favor, espere..." + }, + "Main": { + "criticalErrorTitle": "Error", + "errorAccessDeny": "Está intentando realizar una acción para la que no tiene derechos.
Por favor, póngase en contacto 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.", + "leavePageText": "Tiene cambios sin guardar. Haga clic en \"Permanecer en esta página\" para esperar a que se guarde automáticamente. Haga clic en \"Salir de esta página\" para descartar todos los cambios no guardados.", + "notcriticalErrorTitle": "Advertencia", + "SDK": { + "Diagram Title": "Título del gráfico", + "Footer": "Pie de página", + "footnote text": "Texto de pie de página", + "Header": "Encabezado", + "Heading 1": "Título 1", + "Heading 2": "Título 2", + "Heading 3": "Título 3", + "Heading 4": "Título 4", + "Heading 5": "Título 5", + "Heading 6": "Título 6", + "Heading 7": "Título 7", + "Heading 8": "Título 8", + "Heading 9": "Título 9", + "Intense Quote": "Cita destacada", + "List Paragraph": "Párrafo de la lista", + "No Spacing": "Sin espacio", + "Normal": "Normal", + "Quote": "Cita", + "Series": "Serie", + "Subtitle": "Subtítulo", + "Title": "Título", + "X Axis": "Eje X XAS", + "Y Axis": "Eje Y", + "Your text here": "Su texto aquí" + }, + "textAnonymous": "Anónimo", + "textBuyNow": "Visitar sitio web", + "textClose": "Cerrar", + "textContactUs": "Contactar con el equipo de ventas", + "textCustomLoader": "Por desgracia, no tiene derecho a cambiar el cargador. Póngase en contacto con nuestro departamento de ventas para obtener un presupuesto.", + "textGuest": "Invitado", + "textHasMacros": "El archivo contiene macros automáticas.
¿Quiere ejecutar macros?", + "textNo": "No", + "textNoLicenseTitle": "Se ha alcanzado el límite de licencia", + "textPaidFeature": "Característica de pago", + "textRemember": "Recordar mi elección", + "textYes": "Sí", + "titleLicenseExp": "Licencia ha expirado", + "titleServerVersion": "Editor ha sido actualizado", + "titleUpdateVersion": "Versión ha cambiado", + "warnLicenseExceeded": "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 su administrador para obtener más información.", + "warnLicenseExp": "Su licencia ha expirado. Por favor, actualice su licencia y actualice la página.", + "warnLicenseLimitedNoAccess": "La licencia ha expirado. No tiene acceso a la funcionalidad de edición de documentos. Por favor, póngase en contacto con su administrador.", + "warnLicenseLimitedRenewed": "La licencia necesita renovación. Tiene acceso limitado a la funcionalidad de edición de documentos.
Por favor, póngase en contacto con su administrador para obtener acceso completo", + "warnLicenseUsersExceeded": "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." + }, + "Settings": { + "advDRMOptions": "Archivo protegido", + "advDRMPassword": "Contraseña", + "advTxtOptions": "Elegir opciones de archivo TXT", + "closeButtonText": "Cerrar archivo", + "notcriticalErrorTitle": "Advertencia", + "textAbout": "Acerca de", + "textApplication": "Aplicación", + "textApplicationSettings": "Ajustes de aplicación", + "textAuthor": "Autor", + "textBack": "Atrás", + "textBottom": "Abajo ", + "textCancel": "Cancelar", + "textCaseSensitive": "Distinguir mayúsculas de minúsculas", + "textCentimeter": "Centímetro", + "textCollaboration": "Colaboración", + "textColorSchemes": "Esquemas de color", + "textComment": "Comentario", + "textComments": "Comentarios", + "textCommentsDisplay": "Visualización de comentarios", + "textCreated": "Creado", + "textCustomSize": "Tamaño personalizado", + "textDisableAll": "Deshabilitar todo", + "textDisableAllMacrosWithNotification": "Deshabilitar todas las macros con notificación", + "textDisableAllMacrosWithoutNotification": "Deshabilitar todas las macros sin notificación", + "textDocumentInfo": "Información del documento", + "textDocumentSettings": "Ajustes de documento", + "textDocumentTitle": "Título de documento", + "textDone": "Listo", + "textDownload": "Descargar", + "textDownloadAs": "Descargar como", + "textDownloadRtf": "Si sigue guardando en este formato, es posible que se pierda parte del formato. ¿Está seguro de que quiere continuar?", + "textDownloadTxt": "Si sigue guardando en este formato, se perderán todas las características excepto el texto. ¿Está seguro de que quiere continuar?", + "textEnableAll": "Habilitar todo", + "textEnableAllMacrosWithoutNotification": "Habilitar todas las macros sin notificación", + "textEncoding": "Codificación", + "textFind": "Buscar", + "textFindAndReplace": "Buscar y reemplazar", + "textFindAndReplaceAll": "Buscar y reemplazar todo", + "textFormat": "Formato", + "textHelp": "Ayuda", + "textHiddenTableBorders": "Bordes de tabla escondidos", + "textHighlightResults": "Resaltar resultados", + "textInch": "Pulgada", + "textLandscape": "Horizontal", + "textLastModified": "Última modificación", + "textLastModifiedBy": "Última modificación por", + "textLeft": "A la izquierda", + "textLoading": "Cargando...", + "textLocation": "Ubicación", + "textMacrosSettings": "Ajustes de macros", + "textMargins": "Márgenes", + "textMarginsH": "Márgenes superior e inferior son demasiado altos para una altura de página determinada ", + "textMarginsW": "Los márgenes izquierdo y derecho son demasiado altos para un ancho de página determinado", + "textNoCharacters": "Caracteres no imprimibles", + "textNoTextFound": "Texto no encontrado", + "textOpenFile": "Introduzca la contraseña para abrir el archivo", + "textOrientation": "Orientación ", + "textOwner": "Propietario", + "textPoint": "Punto", + "textPortrait": "Vertical", + "textPrint": "Imprimir", + "textReaderMode": "Modo de lectura", + "textReplace": "Reemplazar", + "textReplaceAll": "Reemplazar todo", + "textResolvedComments": "Comentarios resueltos.", + "textRight": "A la derecha", + "textSearch": "Buscar", + "textSettings": "Ajustes", + "textShowNotification": "Mostrar notificación", + "textSpellcheck": "Сorrección ortográfica", + "textStatistic": "Estadísticas", + "textSubject": "Asunto", + "textTitle": "Título", + "textTop": "Arriba", + "textUnitOfMeasurement": "Unidad de medida", + "textUploaded": "Cargado", + "txtIncorrectPwd": "La contraseña es incorrecta", + "txtProtected": "Una vez que introduzca la contraseña y abra el archivo, se restablecerá la contraseña actual" + }, + "Toolbar": { + "dlgLeaveMsgText": "Tiene cambios sin guardar. Haga clic en \"Permanecer en esta página\" para esperar a que se guarde automáticamente. Haga clic en \"Salir de esta página\" para descartar todos los cambios no guardados.", + "dlgLeaveTitleText": "Usted abandona la aplicación", + "leaveButtonText": "Salir de esta página", + "stayButtonText": "Quedarse en esta página" + } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/fr.json b/apps/documenteditor/mobile/locale/fr.json index fcb1e8347..f185378f7 100644 --- a/apps/documenteditor/mobile/locale/fr.json +++ b/apps/documenteditor/mobile/locale/fr.json @@ -1,607 +1,10 @@ { - "Common.Controllers.Collaboration.textAddReply": "Ajouter réponse", - "Common.Controllers.Collaboration.textAtLeast": "au moins ", - "Common.Controllers.Collaboration.textAuto": "auto", - "Common.Controllers.Collaboration.textBaseline": "Ligne de base", - "Common.Controllers.Collaboration.textBold": "Gras", - "Common.Controllers.Collaboration.textBreakBefore": "Saut de page avant", - "Common.Controllers.Collaboration.textCancel": "Annuler", - "Common.Controllers.Collaboration.textCaps": "Tout en majuscules", - "Common.Controllers.Collaboration.textCenter": "Aligner au centre", - "Common.Controllers.Collaboration.textChart": "Graphique", - "Common.Controllers.Collaboration.textColor": "Couleur de police", - "Common.Controllers.Collaboration.textContextual": "Ne pas ajouter d'intervalle entre paragraphes du même style", - "Common.Controllers.Collaboration.textDelete": "Supprimer", - "Common.Controllers.Collaboration.textDeleteComment": "Supprimer commentaire", - "Common.Controllers.Collaboration.textDeleted": "Supprimé:", - "Common.Controllers.Collaboration.textDeleteReply": "Supprimer réponse", - "Common.Controllers.Collaboration.textDone": "Effectué", - "Common.Controllers.Collaboration.textDStrikeout": "Double-barré", - "Common.Controllers.Collaboration.textEdit": "Editer", - "Common.Controllers.Collaboration.textEditUser": "Le document est en cours de modification par plusieurs utilisateurs :", - "Common.Controllers.Collaboration.textEquation": "Équation", - "Common.Controllers.Collaboration.textExact": "exactement", - "Common.Controllers.Collaboration.textFirstLine": "Première ligne", - "Common.Controllers.Collaboration.textFormatted": "Formaté", - "Common.Controllers.Collaboration.textHighlight": "Couleur de surlignage", - "Common.Controllers.Collaboration.textImage": "Image", - "Common.Controllers.Collaboration.textIndentLeft": "Retrait à gauche", - "Common.Controllers.Collaboration.textIndentRight": "Retrait à droite", - "Common.Controllers.Collaboration.textInserted": "Inséré:", - "Common.Controllers.Collaboration.textItalic": "Italique", - "Common.Controllers.Collaboration.textJustify": "Justifier ", - "Common.Controllers.Collaboration.textKeepLines": "Lignes solidaires", - "Common.Controllers.Collaboration.textKeepNext": "Paragraphes solidaires", - "Common.Controllers.Collaboration.textLeft": "Aligner à gauche", - "Common.Controllers.Collaboration.textLineSpacing": "Interligne:", - "Common.Controllers.Collaboration.textMessageDeleteComment": "Voulez-vous vraiment supprimer", - "Common.Controllers.Collaboration.textMessageDeleteReply": "Voulez-vous vraiment supprimer", - "Common.Controllers.Collaboration.textMultiple": "multiple ", - "Common.Controllers.Collaboration.textNoBreakBefore": "Pas de saut de page avant", - "Common.Controllers.Collaboration.textNoChanges": "Aucune modification", - "Common.Controllers.Collaboration.textNoContextual": "Ajouter un intervalle entre les paragraphes du même style", - "Common.Controllers.Collaboration.textNoKeepLines": "Ne gardez pas de lignes ensemble", - "Common.Controllers.Collaboration.textNoKeepNext": "Ne gardez pas avec la prochaine", - "Common.Controllers.Collaboration.textNot": "Non", - "Common.Controllers.Collaboration.textNoWidow": "Pas de contrôle des veuves", - "Common.Controllers.Collaboration.textNum": "Changer la numérotation", - "Common.Controllers.Collaboration.textParaDeleted": "Paragraphe supprimé ", - "Common.Controllers.Collaboration.textParaFormatted": "Paragraphe Formaté", - "Common.Controllers.Collaboration.textParaInserted": "Paragraphe inséré ", - "Common.Controllers.Collaboration.textParaMoveFromDown": "Déplacé vers le bas:", - "Common.Controllers.Collaboration.textParaMoveFromUp": "Déplacé vers le haut:", - "Common.Controllers.Collaboration.textParaMoveTo": "Déplacé:", - "Common.Controllers.Collaboration.textPosition": "Position", - "Common.Controllers.Collaboration.textReopen": "Rouvrir", - "Common.Controllers.Collaboration.textResolve": "Résoudre", - "Common.Controllers.Collaboration.textRight": "Aligner à droite", - "Common.Controllers.Collaboration.textShape": "Forme", - "Common.Controllers.Collaboration.textShd": "Couleur d'arrière-plan", - "Common.Controllers.Collaboration.textSmallCaps": "Petites majuscules", - "Common.Controllers.Collaboration.textSpacing": "Espacement", - "Common.Controllers.Collaboration.textSpacingAfter": "Espacement après", - "Common.Controllers.Collaboration.textSpacingBefore": "Espacement avant", - "Common.Controllers.Collaboration.textStrikeout": "Barré", - "Common.Controllers.Collaboration.textSubScript": "Indice", - "Common.Controllers.Collaboration.textSuperScript": "Exposant", - "Common.Controllers.Collaboration.textTableChanged": "Paramètres du tableau modifiés", - "Common.Controllers.Collaboration.textTableRowsAdd": "Lignes de tableau ajoutées", - "Common.Controllers.Collaboration.textTableRowsDel": "Lignes de tableau supprimées", - "Common.Controllers.Collaboration.textTabs": "Changer les tabulations", - "Common.Controllers.Collaboration.textUnderline": "Souligné", - "Common.Controllers.Collaboration.textWidow": "Contrôle des veuves", - "Common.Controllers.Collaboration.textYes": "Oui", - "Common.UI.ThemeColorPalette.textCustomColors": "Couleurs personnalisées", - "Common.UI.ThemeColorPalette.textStandartColors": "Couleurs standard", - "Common.UI.ThemeColorPalette.textThemeColors": "Couleurs de thème", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAccept": "Accepter", - "Common.Views.Collaboration.textAcceptAllChanges": "Accepter toutes les modifications", - "Common.Views.Collaboration.textAddReply": "Ajouter une réponse", - "Common.Views.Collaboration.textAllChangesAcceptedPreview": "Toutes les modifications acceptées (aperçu)", - "Common.Views.Collaboration.textAllChangesEditing": "Toutes les modifications (édition)", - "Common.Views.Collaboration.textAllChangesRejectedPreview": "Toutes les modifications rejetées (Aperçu)", - "Common.Views.Collaboration.textBack": "Retour", - "Common.Views.Collaboration.textCancel": "Annuler", - "Common.Views.Collaboration.textChange": "Réviser modifications", - "Common.Views.Collaboration.textCollaboration": "Collaboration", - "Common.Views.Collaboration.textDisplayMode": "Mode d'affichage", - "Common.Views.Collaboration.textDone": "Effectué", - "Common.Views.Collaboration.textEditReply": "Editer réponse", - "Common.Views.Collaboration.textEditUsers": "Utilisateurs", - "Common.Views.Collaboration.textEditСomment": "Editer commentaire", - "Common.Views.Collaboration.textFinal": "Final", - "Common.Views.Collaboration.textMarkup": "Balisage", - "Common.Views.Collaboration.textNoComments": "Il n'y a pas de commentaires dans ce document", - "Common.Views.Collaboration.textOriginal": "Original", - "Common.Views.Collaboration.textReject": "Rejeter", - "Common.Views.Collaboration.textRejectAllChanges": "Refuser toutes les modifications ", - "Common.Views.Collaboration.textReview": "Suivi des modifications", - "Common.Views.Collaboration.textReviewing": "Révision", - "Common.Views.Collaboration.textСomments": "Commentaires", - "DE.Controllers.AddContainer.textImage": "Image", - "DE.Controllers.AddContainer.textOther": "Autre", - "DE.Controllers.AddContainer.textShape": "Forme", - "DE.Controllers.AddContainer.textTable": "Tableau", - "DE.Controllers.AddImage.notcriticalErrorTitle": "Avertissement", - "DE.Controllers.AddImage.textEmptyImgUrl": "Spécifiez URL de l'image", - "DE.Controllers.AddImage.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'", - "DE.Controllers.AddOther.notcriticalErrorTitle": "Avertissement", - "DE.Controllers.AddOther.textBelowText": "Sous le texte", - "DE.Controllers.AddOther.textBottomOfPage": "Bas de page", - "DE.Controllers.AddOther.textCancel": "Annuler", - "DE.Controllers.AddOther.textContinue": "Continuer", - "DE.Controllers.AddOther.textDelete": "Supprimer", - "DE.Controllers.AddOther.textDeleteDraft": "Voulez-vous vraiment supprimer", - "DE.Controllers.AddOther.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'", - "DE.Controllers.AddTable.textCancel": "Annuler", - "DE.Controllers.AddTable.textColumns": "Colonnes", - "DE.Controllers.AddTable.textRows": "Lignes", - "DE.Controllers.AddTable.textTableSize": "Taille du tableau", - "DE.Controllers.DocumentHolder.errorCopyCutPaste": "Les actions de Copier, Couper et Coller du menu contextuel seront appliquées seulement au fichier actuel.", - "DE.Controllers.DocumentHolder.menuAddComment": "Ajouter commentaire", - "DE.Controllers.DocumentHolder.menuAddLink": "Ajouter le lien", - "DE.Controllers.DocumentHolder.menuCopy": "Copier", - "DE.Controllers.DocumentHolder.menuCut": "Couper", - "DE.Controllers.DocumentHolder.menuDelete": "Supprimer", - "DE.Controllers.DocumentHolder.menuDeleteTable": "Supprimer le tableau", - "DE.Controllers.DocumentHolder.menuEdit": "Modifier", - "DE.Controllers.DocumentHolder.menuMerge": "Fusionner les cellules", - "DE.Controllers.DocumentHolder.menuMore": "Plus", - "DE.Controllers.DocumentHolder.menuOpenLink": "Ouvrir le lien", - "DE.Controllers.DocumentHolder.menuPaste": "Coller", - "DE.Controllers.DocumentHolder.menuReview": "Révision", - "DE.Controllers.DocumentHolder.menuReviewChange": "Réviser modifications", - "DE.Controllers.DocumentHolder.menuSplit": "Fractionner la cellule", - "DE.Controllers.DocumentHolder.menuViewComment": "Voir le commentaire", - "DE.Controllers.DocumentHolder.sheetCancel": "Annuler", - "DE.Controllers.DocumentHolder.textCancel": "Annuler", - "DE.Controllers.DocumentHolder.textColumns": "Colonnes", - "DE.Controllers.DocumentHolder.textCopyCutPasteActions": "Fonctions de Copier, Couper et Coller", - "DE.Controllers.DocumentHolder.textDoNotShowAgain": "Ne plus afficher", - "DE.Controllers.DocumentHolder.textGuest": "Invité", - "DE.Controllers.DocumentHolder.textRows": "Lignes", - "DE.Controllers.EditContainer.textChart": "Graphique", - "DE.Controllers.EditContainer.textFooter": "Pied de page", - "DE.Controllers.EditContainer.textHeader": "En-tête", - "DE.Controllers.EditContainer.textHyperlink": "Lien hypertexte", - "DE.Controllers.EditContainer.textImage": "Image", - "DE.Controllers.EditContainer.textParagraph": "Paragraphe", - "DE.Controllers.EditContainer.textSettings": "Paramètres", - "DE.Controllers.EditContainer.textShape": "Forme", - "DE.Controllers.EditContainer.textTable": "Tableau", - "DE.Controllers.EditContainer.textText": "Texte", - "DE.Controllers.EditHyperlink.notcriticalErrorTitle": "Avertissement", - "DE.Controllers.EditHyperlink.textEmptyImgUrl": "Specifiez URL d'image", - "DE.Controllers.EditHyperlink.txtNotUrl": "Ce champ doit être une URL au format 'http://www.example.com'", - "DE.Controllers.EditImage.notcriticalErrorTitle": "Avertissement", - "DE.Controllers.EditImage.textEmptyImgUrl": "Spécifiez l'URL de l'image", - "DE.Controllers.EditImage.txtNotUrl": "Ce champ doit être une URL de la forme suivante: 'http://www.example.com'", - "DE.Controllers.EditText.textAuto": "Auto", - "DE.Controllers.EditText.textFonts": "Polices", - "DE.Controllers.EditText.textPt": "pt", - "DE.Controllers.Main.advDRMEnterPassword": "Entrez votre mot de passe:", - "DE.Controllers.Main.advDRMOptions": "Fichier protégé", - "DE.Controllers.Main.advDRMPassword": "Mot de passe", - "DE.Controllers.Main.advTxtOptions": "Choisir les options TXT", - "DE.Controllers.Main.applyChangesTextText": "Chargement des données...", - "DE.Controllers.Main.applyChangesTitleText": "Chargement des données", - "DE.Controllers.Main.closeButtonText": "Fermer le fichier", - "DE.Controllers.Main.convertationTimeoutText": "Délai de conversion expiré.", - "DE.Controllers.Main.criticalErrorExtText": "Appuyez sur OK pour revenir à la liste des documents.", - "DE.Controllers.Main.criticalErrorTitle": "Erreur", - "DE.Controllers.Main.downloadErrorText": "Échec du téléchargement.", - "DE.Controllers.Main.downloadMergeText": "Téléchargement en cours...", - "DE.Controllers.Main.downloadMergeTitle": "Téléchargement en cours", - "DE.Controllers.Main.downloadTextText": "Téléchargement du document...", - "DE.Controllers.Main.downloadTitleText": "Téléchargement du document", - "DE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.
Veuillez contacter l'administrateur de Document Server.", - "DE.Controllers.Main.errorBadImageUrl": "L'URL de l'image est incorrecte", - "DE.Controllers.Main.errorCoAuthoringDisconnect": "La connexion au serveur perdue. Désolé, vous ne pouvez plus modifier le document.", - "DE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le 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.", - "DE.Controllers.Main.errorDatabaseConnection": "Erreur externe.
Erreur de connexion à la base de données.Contactez le support.", - "DE.Controllers.Main.errorDataEncrypted": "Les modifications chiffrées ont été reçues, elle ne peuvent pas être déchiffrées.", - "DE.Controllers.Main.errorDataRange": "Plage de données incorrecte.", - "DE.Controllers.Main.errorDefaultMessage": "Code d'erreur: %1", - "DE.Controllers.Main.errorEditingDownloadas": "Une erreur s'est produite lors du travail sur le document.
Utilisez l'option \"Télécharger\" pour enregistrer la copie de sauvegarde sur le disque dur de votre ordinateur.", - "DE.Controllers.Main.errorFilePassProtect": "Le fichier est protégé par le mot de passe et ne peut être ouvert.", - "DE.Controllers.Main.errorFileSizeExceed": "La taille du fichier dépasse les limites établies sur votre serveur.
Veuillez contacter votre administrateur de Document Server pour obtenir plus d'information. ", - "DE.Controllers.Main.errorKeyEncrypt": "Descripteur de clés inconnu", - "DE.Controllers.Main.errorKeyExpire": "Descripteur de clés expiré", - "DE.Controllers.Main.errorMailMergeLoadFile": "Échec du chargement", - "DE.Controllers.Main.errorMailMergeSaveFile": "Fusion a échoué.", - "DE.Controllers.Main.errorOpensource": "L'utilisation la version gratuite \"Community version\" permet uniquement la visualisation des documents. Pour avoir accès à l'édition sur mobile, une version commerciale est nécessaire.", - "DE.Controllers.Main.errorProcessSaveResult": "Échec de l‘enregistrement.", - "DE.Controllers.Main.errorServerVersion": "La version de l'éditeur a été mise à jour. La page sera rechargée pour appliquer les modifications.", - "DE.Controllers.Main.errorSessionAbsolute": "Votre session a expiré. Veuillez recharger la page.", - "DE.Controllers.Main.errorSessionIdle": "Le document n'a pas été modifié depuis trop longtemps. Veuillez recharger la page.", - "DE.Controllers.Main.errorSessionToken": "La connexion au serveur a été interrompue. Veuillez recharger la page.", - "DE.Controllers.Main.errorStockChart": "Ordre lignes incorrect. Pour créer un diagramme boursier, positionnez les données sur la feuille de calcul dans l'ordre suivant :
cours à l'ouverture, cours maximal, cours minimal, cours à la clôture.", - "DE.Controllers.Main.errorUpdateVersion": "La version du fichier a été changée. La page sera rechargée.", - "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "La connexion internet a été rétablie, la version du fichier est modifiée.
Avant de continuer, téléchargez le fichier ou copiez le contenu pour vous assurer que tous les changements ont été enregistrés, et rechargez la page.", - "DE.Controllers.Main.errorUserDrop": "Impossible d'accéder au fichier.", - "DE.Controllers.Main.errorUsersExceed": "Le nombre des utilisateurs est dépassé", - "DE.Controllers.Main.errorViewerDisconnect": "La connexion a été perdue. Vous pouvez toujours afficher le document,
mais vous ne pourrez pas le téléсharger tant que la connexion n'est pas restaurée.", - "DE.Controllers.Main.leavePageText": "Vous avez des modifications non enregistrées dans ce document. Cliquez sur 'Rester sur cette Page' pour la sauvegarde automatique du document. Cliquez sur 'Quitter cette Page' pour ignorer toutes les modifications non enregistrées.", - "DE.Controllers.Main.loadFontsTextText": "Chargement des données...", - "DE.Controllers.Main.loadFontsTitleText": "Chargement des données", - "DE.Controllers.Main.loadFontTextText": "Chargement des données...", - "DE.Controllers.Main.loadFontTitleText": "Chargement des données", - "DE.Controllers.Main.loadImagesTextText": "Chargement des images...", - "DE.Controllers.Main.loadImagesTitleText": "Chargement des images", - "DE.Controllers.Main.loadImageTextText": "Chargement d'une image...", - "DE.Controllers.Main.loadImageTitleText": "Chargement d'une image", - "DE.Controllers.Main.loadingDocumentTextText": "Chargement du document...", - "DE.Controllers.Main.loadingDocumentTitleText": "Chargement du document", - "DE.Controllers.Main.mailMergeLoadFileText": "Chargement de la source des données...", - "DE.Controllers.Main.mailMergeLoadFileTitle": "Chargement de la source des données", - "DE.Controllers.Main.notcriticalErrorTitle": "Avertissement", - "DE.Controllers.Main.openErrorText": "Une erreur s’est produite lors de l’ouverture du fichier", - "DE.Controllers.Main.openTextText": "Ouverture du document...", - "DE.Controllers.Main.openTitleText": "Ouverture du document", - "DE.Controllers.Main.printTextText": "Impression du document...", - "DE.Controllers.Main.printTitleText": "Impression du document", - "DE.Controllers.Main.saveErrorText": "Une erreur s'est produite lors de l'enregistrement du fichier", - "DE.Controllers.Main.savePreparingText": "La préparation de l'enregistrement", - "DE.Controllers.Main.savePreparingTitle": "Merci de patienter, la préparation de l'enregistrement est en cours...", - "DE.Controllers.Main.saveTextText": "Enregistrement du document...", - "DE.Controllers.Main.saveTitleText": "Enregistrement du document", - "DE.Controllers.Main.scriptLoadError": "La connexion est trop lente, certains éléments ne peuvent pas être chargés. Veuillez recharger la page.", - "DE.Controllers.Main.sendMergeText": "Envoie du résultat de la fusion...", - "DE.Controllers.Main.sendMergeTitle": "Envoie du résultat de la fusion", - "DE.Controllers.Main.splitDividerErrorText": "Le nombre de lignes doit être un diviseur de %1", - "DE.Controllers.Main.splitMaxColsErrorText": "Le nombre de colonnes doit être moins que %1", - "DE.Controllers.Main.splitMaxRowsErrorText": "Le nombre de lignes doit être moins que %1", - "DE.Controllers.Main.textAnonymous": "Anonyme", - "DE.Controllers.Main.textBack": "Retour", - "DE.Controllers.Main.textBuyNow": "Visiter le site web", - "DE.Controllers.Main.textCancel": "Annuler", - "DE.Controllers.Main.textClose": "Fermer", - "DE.Controllers.Main.textContactUs": "L'équipe de ventes", - "DE.Controllers.Main.textCustomLoader": "Veuillez noter que conformément aux clauses du contrat de licence vous n'êtes pas autorisé à changer le chargeur.
Veuillez contacter notre Service des Ventes pour obtenir le devis.", - "DE.Controllers.Main.textDone": "Terminé", - "DE.Controllers.Main.textGuest": "Invité", - "DE.Controllers.Main.textHasMacros": "Le fichier contient des macros automatiques.
Voulez-vous exécuter les macros ?", - "DE.Controllers.Main.textLoadingDocument": "Chargement du document", - "DE.Controllers.Main.textNo": "Non", - "DE.Controllers.Main.textNoLicenseTitle": "La limite de la licence est atteinte", - "DE.Controllers.Main.textOK": "OK", - "DE.Controllers.Main.textPaidFeature": "Fonction payée", - "DE.Controllers.Main.textPassword": "Mot de passe", - "DE.Controllers.Main.textPreloader": "Chargement en cours...", - "DE.Controllers.Main.textRemember": "Se souvenir de mon choix", - "DE.Controllers.Main.textTryUndoRedo": "Les fonctions Annuler/Rétablir sont désactivées pour le mode collaboratif rapide.", - "DE.Controllers.Main.textUsername": "Nom d'utilisateur", - "DE.Controllers.Main.textYes": "Oui", - "DE.Controllers.Main.titleLicenseExp": "Licence expirée", - "DE.Controllers.Main.titleServerVersion": "L'éditeur est mis à jour", - "DE.Controllers.Main.titleUpdateVersion": "Version a été modifiée", - "DE.Controllers.Main.txtAbove": "Au-dessus", - "DE.Controllers.Main.txtArt": "Entrez votre texte", - "DE.Controllers.Main.txtBelow": "En dessous", - "DE.Controllers.Main.txtCurrentDocument": "Document actuel", - "DE.Controllers.Main.txtDiagramTitle": "Titre du graphique", - "DE.Controllers.Main.txtEditingMode": "Définition du mode d'édition...", - "DE.Controllers.Main.txtEvenPage": "Page paire", - "DE.Controllers.Main.txtFirstPage": "Première Page", - "DE.Controllers.Main.txtFooter": "Pied de page", - "DE.Controllers.Main.txtHeader": "En-tête", - "DE.Controllers.Main.txtOddPage": "Page impaire", - "DE.Controllers.Main.txtOnPage": "sur la page", - "DE.Controllers.Main.txtProtected": "Une fois le mot de passe saisi et le ficher ouvert, le mot de passe actuel sera réinitialisé", - "DE.Controllers.Main.txtSameAsPrev": "Identique au précédent", - "DE.Controllers.Main.txtSection": "-Section", - "DE.Controllers.Main.txtSeries": "Séries", - "DE.Controllers.Main.txtStyle_footnote_text": "Texte de la note de bas de page", - "DE.Controllers.Main.txtStyle_Heading_1": "Titre 1", - "DE.Controllers.Main.txtStyle_Heading_2": "Titre 2", - "DE.Controllers.Main.txtStyle_Heading_3": "Titre 3", - "DE.Controllers.Main.txtStyle_Heading_4": "Titre 4", - "DE.Controllers.Main.txtStyle_Heading_5": "Titre 5", - "DE.Controllers.Main.txtStyle_Heading_6": "Titre 6", - "DE.Controllers.Main.txtStyle_Heading_7": "Titre 7", - "DE.Controllers.Main.txtStyle_Heading_8": "Titre 8", - "DE.Controllers.Main.txtStyle_Heading_9": "Titre 9", - "DE.Controllers.Main.txtStyle_Intense_Quote": "Citation intense", - "DE.Controllers.Main.txtStyle_List_Paragraph": "Paragraphe de liste", - "DE.Controllers.Main.txtStyle_No_Spacing": "Pas d'espacement", - "DE.Controllers.Main.txtStyle_Normal": "Normal", - "DE.Controllers.Main.txtStyle_Quote": "Citation", - "DE.Controllers.Main.txtStyle_Subtitle": "Sous-titres", - "DE.Controllers.Main.txtStyle_Title": "Titre", - "DE.Controllers.Main.txtXAxis": "Axe X", - "DE.Controllers.Main.txtYAxis": "Axe Y", - "DE.Controllers.Main.unknownErrorText": "Erreur inconnue.", - "DE.Controllers.Main.unsupportedBrowserErrorText": "Votre navigateur n'est pas pris en charge.", - "DE.Controllers.Main.uploadImageExtMessage": "Format d'image inconnu.", - "DE.Controllers.Main.uploadImageFileCountMessage": "Aucune image chargée.", - "DE.Controllers.Main.uploadImageSizeMessage": "La taille de l'image a dépassé la limite maximale.", - "DE.Controllers.Main.uploadImageTextText": "Chargement d'une image en cours...", - "DE.Controllers.Main.uploadImageTitleText": "Chargement d'une image", - "DE.Controllers.Main.waitText": "Veuillez patienter...", - "DE.Controllers.Main.warnLicenseExceeded": "Vous avez dépassé le nombre maximal de connexions simultanées aux éditeurs %1. Ce document sera ouvert à la lecture seulement.
Contactez votre administrateur pour en savoir davantage.", - "DE.Controllers.Main.warnLicenseExp": "Votre licence a expiré.
Veuillez mettre à jour votre licence et actualisez la page.", - "DE.Controllers.Main.warnLicenseLimitedNoAccess": "La licence est expirée.
Vous n'avez plus d'accès aux outils d'édition.
Veuillez contacter votre administrateur.", - "DE.Controllers.Main.warnLicenseLimitedRenewed": "Il est indispensable de renouveler la licence.
Vous avez un accès limité aux outils d'édition des documents.
Veuillez contacter votre administrateur pour obtenir un accès complet", - "DE.Controllers.Main.warnLicenseUsersExceeded": "Vous avez dépassé le nombre maximal d’utilisateurs des éditeurs %1. Contactez votre administrateur pour en savoir davantage.", - "DE.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.", - "DE.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.", - "DE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.", - "DE.Controllers.Search.textNoTextFound": "Le texte est introuvable", - "DE.Controllers.Search.textReplaceAll": "Remplacer tout", - "DE.Controllers.Settings.notcriticalErrorTitle": "Avertissement", - "DE.Controllers.Settings.textCustomSize": "Taille personnalisée", - "DE.Controllers.Settings.txtLoading": "Chargement en cours...", - "DE.Controllers.Settings.unknownText": "Inconnu", - "DE.Controllers.Settings.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.Settings.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.Toolbar.dlgLeaveMsgText": "Vous avez des modifications non enregistrées dans ce document. Cliquez sur 'Rester sur cette Page' pour la sauvegarde automatique du document. Cliquez sur 'Quitter cette Page' pour ignorer toutes les modifications non enregistrées.", - "DE.Controllers.Toolbar.dlgLeaveTitleText": "Vous quittez l'application", - "DE.Controllers.Toolbar.leaveButtonText": "Quitter cette page", - "DE.Controllers.Toolbar.stayButtonText": "Rester sur cette page", - "DE.Views.AddImage.textAddress": "Adresse", - "DE.Views.AddImage.textBack": "Retour", - "DE.Views.AddImage.textFromLibrary": "Image de la bibliothèque", - "DE.Views.AddImage.textFromURL": "Image à partir d'une URL", - "DE.Views.AddImage.textImageURL": "URL d'une image", - "DE.Views.AddImage.textInsertImage": "Insérer une image", - "DE.Views.AddImage.textLinkSettings": "Paramètres de lien", - "DE.Views.AddOther.textAddComment": "Ajouter commentaire", - "DE.Views.AddOther.textAddLink": "Ajouter le lien", - "DE.Views.AddOther.textBack": "Retour", - "DE.Views.AddOther.textBreak": "Saut", - "DE.Views.AddOther.textCenterBottom": "En bas au centre", - "DE.Views.AddOther.textCenterTop": "En haut au centre", - "DE.Views.AddOther.textColumnBreak": "Saut de colonne", - "DE.Views.AddOther.textComment": "Commentaire", - "DE.Views.AddOther.textContPage": "Page continue", - "DE.Views.AddOther.textCurrentPos": "Position actuelle", - "DE.Views.AddOther.textDisplay": "Afficher", - "DE.Views.AddOther.textDone": "Effectué", - "DE.Views.AddOther.textEvenPage": "Page paire", - "DE.Views.AddOther.textFootnote": "Note de bas de page", - "DE.Views.AddOther.textFormat": "Format", - "DE.Views.AddOther.textInsert": "Insérer", - "DE.Views.AddOther.textInsertFootnote": "Insérer une note de bas de page", - "DE.Views.AddOther.textLeftBottom": "À gauche en bas", - "DE.Views.AddOther.textLeftTop": "À gauche en haut", - "DE.Views.AddOther.textLink": "Lien", - "DE.Views.AddOther.textLocation": "Emplacement", - "DE.Views.AddOther.textNextPage": "Page suivante", - "DE.Views.AddOther.textOddPage": "Page impaire", - "DE.Views.AddOther.textPageBreak": "Saut de page", - "DE.Views.AddOther.textPageNumber": "Numéro de page", - "DE.Views.AddOther.textPosition": "Position", - "DE.Views.AddOther.textRightBottom": "À droite en bas", - "DE.Views.AddOther.textRightTop": "À droite en haut", - "DE.Views.AddOther.textSectionBreak": "Saut de section", - "DE.Views.AddOther.textStartFrom": "À partir de", - "DE.Views.AddOther.textTip": "Info-bulle", - "DE.Views.EditChart.textAddCustomColor": "Ajouter la couleur personnalisée", - "DE.Views.EditChart.textAlign": "Aligner", - "DE.Views.EditChart.textBack": "Retour", - "DE.Views.EditChart.textBackward": "Déplacer vers l'arrière", - "DE.Views.EditChart.textBehind": "Derrière", - "DE.Views.EditChart.textBorder": "Bordure", - "DE.Views.EditChart.textColor": "Couleur", - "DE.Views.EditChart.textCustomColor": "Couleur personnalisée", - "DE.Views.EditChart.textDistanceText": "Distance du texte", - "DE.Views.EditChart.textFill": "Remplissage", - "DE.Views.EditChart.textForward": "Déplacer vers l'avant", - "DE.Views.EditChart.textInFront": "Devant", - "DE.Views.EditChart.textInline": "En ligne", - "DE.Views.EditChart.textMoveText": "Déplacer avec le texte", - "DE.Views.EditChart.textOverlap": "Autoriser le chevauchement", - "DE.Views.EditChart.textRemoveChart": "Supprimer le graphique", - "DE.Views.EditChart.textReorder": "Réorganiser", - "DE.Views.EditChart.textSize": "Taille", - "DE.Views.EditChart.textSquare": "Carré", - "DE.Views.EditChart.textStyle": "Style", - "DE.Views.EditChart.textThrough": "Au travers", - "DE.Views.EditChart.textTight": "Rapproché", - "DE.Views.EditChart.textToBackground": "Mettre en arrière-plan", - "DE.Views.EditChart.textToForeground": "Mettre au premier plan", - "DE.Views.EditChart.textTopBottom": "Haut et bas", - "DE.Views.EditChart.textType": "Type", - "DE.Views.EditChart.textWrap": "Enveloppant", - "DE.Views.EditHeader.textDiffFirst": "Première page différente", - "DE.Views.EditHeader.textDiffOdd": "Pages paires et impaires différentes", - "DE.Views.EditHeader.textFrom": "Commencer par", - "DE.Views.EditHeader.textPageNumbering": "Numérotation des pages", - "DE.Views.EditHeader.textPrev": "Continuer à partir de la section précédente", - "DE.Views.EditHeader.textSameAs": "Lier au précédent", - "DE.Views.EditHyperlink.textDisplay": "Afficher", - "DE.Views.EditHyperlink.textEdit": "Modifier le lien", - "DE.Views.EditHyperlink.textLink": "Lien", - "DE.Views.EditHyperlink.textRemove": "Supprimer le lien", - "DE.Views.EditHyperlink.textTip": "Info-bulle", - "DE.Views.EditImage.textAddress": "Adresse", - "DE.Views.EditImage.textAlign": "Aligner", - "DE.Views.EditImage.textBack": "Retour", - "DE.Views.EditImage.textBackward": "Déplacer vers l'arrière", - "DE.Views.EditImage.textBehind": "Derrière", - "DE.Views.EditImage.textDefault": "Taille actuelle", - "DE.Views.EditImage.textDistanceText": "Distance du texte", - "DE.Views.EditImage.textForward": "Déplacer vers l'avant", - "DE.Views.EditImage.textFromLibrary": "Image de la bibliothèque", - "DE.Views.EditImage.textFromURL": "Image à partir d'une URL", - "DE.Views.EditImage.textImageURL": "URL d'une image", - "DE.Views.EditImage.textInFront": "Devant", - "DE.Views.EditImage.textInline": "En ligne", - "DE.Views.EditImage.textLinkSettings": "Paramètres de lien", - "DE.Views.EditImage.textMoveText": "Déplacer avec le texte", - "DE.Views.EditImage.textOverlap": "Autoriser le chevauchement", - "DE.Views.EditImage.textRemove": "Supprimer l'image", - "DE.Views.EditImage.textReorder": "Réorganiser", - "DE.Views.EditImage.textReplace": "Remplacer", - "DE.Views.EditImage.textReplaceImg": "Remplacer l’image", - "DE.Views.EditImage.textSquare": "Carré", - "DE.Views.EditImage.textThrough": "Au travers", - "DE.Views.EditImage.textTight": "Rapproché", - "DE.Views.EditImage.textToBackground": "Mettre en arrière-plan", - "DE.Views.EditImage.textToForeground": "Mettre au premier plan", - "DE.Views.EditImage.textTopBottom": "Haut et bas", - "DE.Views.EditImage.textWrap": "Enveloppant", - "DE.Views.EditParagraph.textAddCustomColor": "Ajouter la couleur personnalisée", - "DE.Views.EditParagraph.textAdvanced": "Avancé", - "DE.Views.EditParagraph.textAdvSettings": "Paramètres avancés", - "DE.Views.EditParagraph.textAfter": "Après", - "DE.Views.EditParagraph.textAuto": "Auto", - "DE.Views.EditParagraph.textBack": "Retour", - "DE.Views.EditParagraph.textBackground": "Arrière-plan", - "DE.Views.EditParagraph.textBefore": "Avant", - "DE.Views.EditParagraph.textCustomColor": "Couleur personnalisée", - "DE.Views.EditParagraph.textFirstLine": "Première ligne", - "DE.Views.EditParagraph.textFromText": "Distance du texte", - "DE.Views.EditParagraph.textKeepLines": "Lignes solidaires", - "DE.Views.EditParagraph.textKeepNext": "Paragraphes solidaires", - "DE.Views.EditParagraph.textOrphan": "Éviter orphelines", - "DE.Views.EditParagraph.textPageBreak": "Saut de page avant", - "DE.Views.EditParagraph.textPrgStyles": "Styles de paragraphe", - "DE.Views.EditParagraph.textSpaceBetween": "Espace après les paragraphes", - "DE.Views.EditShape.textAddCustomColor": "Ajouter la couleur personnalisée", - "DE.Views.EditShape.textAlign": "Aligner", - "DE.Views.EditShape.textBack": "Retour", - "DE.Views.EditShape.textBackward": "Déplacer vers l'arrière", - "DE.Views.EditShape.textBehind": "Derrière", - "DE.Views.EditShape.textBorder": "Bordure", - "DE.Views.EditShape.textColor": "Couleur", - "DE.Views.EditShape.textCustomColor": "Couleur personnalisée", - "DE.Views.EditShape.textEffects": "Effets", - "DE.Views.EditShape.textFill": "Remplissage", - "DE.Views.EditShape.textForward": "Déplacer vers l'avant", - "DE.Views.EditShape.textFromText": "Distance du texte", - "DE.Views.EditShape.textInFront": "Devant", - "DE.Views.EditShape.textInline": "En ligne", - "DE.Views.EditShape.textOpacity": "Opacité", - "DE.Views.EditShape.textOverlap": "Autoriser le chevauchement", - "DE.Views.EditShape.textRemoveShape": "Supprimer la forme", - "DE.Views.EditShape.textReorder": "Réorganiser", - "DE.Views.EditShape.textReplace": "Remplacer", - "DE.Views.EditShape.textSize": "Taille", - "DE.Views.EditShape.textSquare": "Carré", - "DE.Views.EditShape.textStyle": "Style", - "DE.Views.EditShape.textThrough": "Au travers", - "DE.Views.EditShape.textTight": "Rapproché", - "DE.Views.EditShape.textToBackground": "Mettre en arrière-plan", - "DE.Views.EditShape.textToForeground": "Mettre au premier plan", - "DE.Views.EditShape.textTopAndBottom": "Haut et bas", - "DE.Views.EditShape.textWithText": "Déplacer avec le texte", - "DE.Views.EditShape.textWrap": "Enveloppant", - "DE.Views.EditTable.textAddCustomColor": "Ajouter la couleur personnalisée", - "DE.Views.EditTable.textAlign": "Aligner", - "DE.Views.EditTable.textBack": "Retour", - "DE.Views.EditTable.textBandedColumn": "Colonne à bandes", - "DE.Views.EditTable.textBandedRow": "Ligne à bandes", - "DE.Views.EditTable.textBorder": "Bordure", - "DE.Views.EditTable.textCellMargins": "Marges de la cellule", - "DE.Views.EditTable.textColor": "Couleur", - "DE.Views.EditTable.textCustomColor": "Couleur personnalisée", - "DE.Views.EditTable.textFill": "Remplissage", - "DE.Views.EditTable.textFirstColumn": "Première colonne", - "DE.Views.EditTable.textFlow": "Flux", - "DE.Views.EditTable.textFromText": "Distance du texte", - "DE.Views.EditTable.textHeaderRow": "Ligne d’en-tête", - "DE.Views.EditTable.textInline": "En ligne", - "DE.Views.EditTable.textLastColumn": "Dernière colonne", - "DE.Views.EditTable.textOptions": "Options", - "DE.Views.EditTable.textRemoveTable": "Supprimer la table", - "DE.Views.EditTable.textRepeatHeader": "Répéter la ligne d'en-tête", - "DE.Views.EditTable.textResizeFit": "Redimensionner pour adapter au contenu", - "DE.Views.EditTable.textSize": "Taille", - "DE.Views.EditTable.textStyle": "Style", - "DE.Views.EditTable.textStyleOptions": "Options de style", - "DE.Views.EditTable.textTableOptions": "Options de la table", - "DE.Views.EditTable.textTotalRow": "Ligne de total", - "DE.Views.EditTable.textWithText": "Déplacer avec le texte", - "DE.Views.EditTable.textWrap": "Enveloppant", - "DE.Views.EditText.textAddCustomColor": "Ajouter la couleur personnalisée", - "DE.Views.EditText.textAdditional": "Supplémentaire", - "DE.Views.EditText.textAdditionalFormat": "Mise en forme supplémentaire", - "DE.Views.EditText.textAllCaps": "Tout en majuscules", - "DE.Views.EditText.textAutomatic": "Automatique", - "DE.Views.EditText.textBack": "Retour", - "DE.Views.EditText.textBullets": "Puces", - "DE.Views.EditText.textCharacterBold": "B", - "DE.Views.EditText.textCharacterItalic": "I", - "DE.Views.EditText.textCharacterStrikethrough": "S", - "DE.Views.EditText.textCharacterUnderline": "U", - "DE.Views.EditText.textCustomColor": "Couleur personnalisée", - "DE.Views.EditText.textDblStrikethrough": "Barré double", - "DE.Views.EditText.textDblSuperscript": "Exposant", - "DE.Views.EditText.textFontColor": "Couleur de police", - "DE.Views.EditText.textFontColors": "Couleurs de police", - "DE.Views.EditText.textFonts": "Polices", - "DE.Views.EditText.textHighlightColor": "Couleur de surlignage", - "DE.Views.EditText.textHighlightColors": "Couleurs de surbrillance", - "DE.Views.EditText.textLetterSpacing": "Espacement entre les lettres", - "DE.Views.EditText.textLineSpacing": "Interligne", - "DE.Views.EditText.textNone": "Aucun", - "DE.Views.EditText.textNumbers": "Numéros", - "DE.Views.EditText.textSize": "Taille", - "DE.Views.EditText.textSmallCaps": "Petites majuscules", - "DE.Views.EditText.textStrikethrough": "Barré", - "DE.Views.EditText.textSubscript": "Indice", - "DE.Views.Search.textCase": "Respecter la casse", - "DE.Views.Search.textDone": "Effectué", - "DE.Views.Search.textFind": "Rechercher", - "DE.Views.Search.textFindAndReplace": "Rechercher et remplacer", - "DE.Views.Search.textHighlight": "Surligner les résultats", - "DE.Views.Search.textReplace": "Remplacer", - "DE.Views.Search.textSearch": "Rechercher", - "DE.Views.Settings.textAbout": "A propos", - "DE.Views.Settings.textAddress": "adresse", - "DE.Views.Settings.textAdvancedSettings": "Paramètres de l'application", - "DE.Views.Settings.textApplication": "Application", - "DE.Views.Settings.textAuthor": "Auteur", - "DE.Views.Settings.textBack": "Retour", - "DE.Views.Settings.textBottom": "En bas", - "DE.Views.Settings.textCentimeter": "Centimètre", - "DE.Views.Settings.textCollaboration": "Collaboration", - "DE.Views.Settings.textColorSchemes": "Jeux de couleurs", - "DE.Views.Settings.textComment": "Commentaire", - "DE.Views.Settings.textCommentingDisplay": "Affichage des commentaires ", - "DE.Views.Settings.textCreated": "Créé", - "DE.Views.Settings.textCreateDate": "Date de création", - "DE.Views.Settings.textCustom": "Personnalisé", - "DE.Views.Settings.textCustomSize": "Taille personnalisée", - "DE.Views.Settings.textDisableAll": "Désactiver tout", - "DE.Views.Settings.textDisableAllMacrosWithNotification": "Désactiver tous les macros avec", - "DE.Views.Settings.textDisableAllMacrosWithoutNotification": "Désactiver tous les macros sans", - "DE.Views.Settings.textDisplayComments": "Commentaires", - "DE.Views.Settings.textDisplayResolvedComments": "Commentaires résolus", - "DE.Views.Settings.textDocInfo": "Position actuelle", - "DE.Views.Settings.textDocTitle": "Titre du document", - "DE.Views.Settings.textDocumentFormats": "Formats de document", - "DE.Views.Settings.textDocumentSettings": "Paramètres du document", - "DE.Views.Settings.textDone": "Effectué", - "DE.Views.Settings.textDownload": "Télécharger", - "DE.Views.Settings.textDownloadAs": "Télécharger comme...", - "DE.Views.Settings.textEditDoc": "Modifier", - "DE.Views.Settings.textEmail": "e-mail", - "DE.Views.Settings.textEnableAll": "Activer tout", - "DE.Views.Settings.textEnableAllMacrosWithoutNotification": "Activer tous les macros sans", - "DE.Views.Settings.textFind": "Rechercher", - "DE.Views.Settings.textFindAndReplace": "Rechercher et remplacer", - "DE.Views.Settings.textFormat": "Format", - "DE.Views.Settings.textHelp": "Aide", - "DE.Views.Settings.textHiddenTableBorders": "Bordures du tableau cachées", - "DE.Views.Settings.textInch": "Pouce", - "DE.Views.Settings.textLandscape": "Paysage", - "DE.Views.Settings.textLastModified": "Date de dernière modification", - "DE.Views.Settings.textLastModifiedBy": "Dernière modification par", - "DE.Views.Settings.textLeft": "A gauche", - "DE.Views.Settings.textLoading": "Chargement en cours...", - "DE.Views.Settings.textLocation": "Emplacement", - "DE.Views.Settings.textMacrosSettings": "Réglages macros", - "DE.Views.Settings.textMargins": "Marges", - "DE.Views.Settings.textNoCharacters": "Caractères non imprimables", - "DE.Views.Settings.textOrientation": "Orientation", - "DE.Views.Settings.textOwner": "Propriétaire", - "DE.Views.Settings.textPages": "Pages", - "DE.Views.Settings.textParagraphs": "Paragraphes", - "DE.Views.Settings.textPoint": "Point", - "DE.Views.Settings.textPortrait": "Portrait", - "DE.Views.Settings.textPoweredBy": "Propulsé par ", - "DE.Views.Settings.textPrint": "Imprimer", - "DE.Views.Settings.textReader": "Mode de lecture", - "DE.Views.Settings.textReview": "Suivre des modifications", - "DE.Views.Settings.textRight": "A droite", - "DE.Views.Settings.textSettings": "Paramètres", - "DE.Views.Settings.textShowNotification": "Montrer la notification", - "DE.Views.Settings.textSpaces": "Espaces", - "DE.Views.Settings.textSpellcheck": "Vérification de l'orthographe", - "DE.Views.Settings.textStatistic": "Statistique", - "DE.Views.Settings.textSubject": "Sujet", - "DE.Views.Settings.textSymbols": "Symboles", - "DE.Views.Settings.textTel": "Tél.", - "DE.Views.Settings.textTitle": "Titre", - "DE.Views.Settings.textTop": "En haut", - "DE.Views.Settings.textUnitOfMeasurement": "Unité de mesure", - "DE.Views.Settings.textUploaded": "Chargé", - "DE.Views.Settings.textVersion": "Version", - "DE.Views.Settings.textWords": "Mots", - "DE.Views.Settings.unknownText": "Inconnu", - "DE.Views.Toolbar.textBack": "Retour" + "Common": { + "Collaboration": { + "textAddComment": "Ajouter un commentaire" + } + }, + "Settings": { + "textAbout": "A propos" + } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/ja.json b/apps/documenteditor/mobile/locale/ja.json index 33f020090..deb8a82da 100644 --- a/apps/documenteditor/mobile/locale/ja.json +++ b/apps/documenteditor/mobile/locale/ja.json @@ -1,600 +1,52 @@ { - "Common.Controllers.Collaboration.textAddReply": "返信の追加", - "Common.Controllers.Collaboration.textAtLeast": "最小", - "Common.Controllers.Collaboration.textAuto": "自動", - "Common.Controllers.Collaboration.textBaseline": "ベースライン", - "Common.Controllers.Collaboration.textBold": "太字", - "Common.Controllers.Collaboration.textBreakBefore": "前に改ページ", - "Common.Controllers.Collaboration.textCancel": "キャンセル", - "Common.Controllers.Collaboration.textCaps": "全ての大字", - "Common.Controllers.Collaboration.textCenter": "中央揃え", - "Common.Controllers.Collaboration.textChart": "グラフ", - "Common.Controllers.Collaboration.textColor": "フォントの色", - "Common.Controllers.Collaboration.textContextual": "同じスタイルの段落の間に間隔を追加しない", - "Common.Controllers.Collaboration.textDelete": "削除", - "Common.Controllers.Collaboration.textDeleteComment": "コメントを削除する", - "Common.Controllers.Collaboration.textDeleted": "削除済み:", - "Common.Controllers.Collaboration.textDeleteReply": "返事を削除する", - "Common.Controllers.Collaboration.textDone": "完了", - "Common.Controllers.Collaboration.textDStrikeout": "二重取り消し線", - "Common.Controllers.Collaboration.textEdit": "編集", - "Common.Controllers.Collaboration.textEditUser": "ファイルを編集しているユーザー:", - "Common.Controllers.Collaboration.textEquation": "数式", - "Common.Controllers.Collaboration.textExact": "固定値", - "Common.Controllers.Collaboration.textFirstLine": "先頭行", - "Common.Controllers.Collaboration.textFormatted": "書式付き", - "Common.Controllers.Collaboration.textHighlight": "強調表示の色", - "Common.Controllers.Collaboration.textImage": "画像", - "Common.Controllers.Collaboration.textIndentLeft": "左側にインデント", - "Common.Controllers.Collaboration.textIndentRight": "右側にインデント", - "Common.Controllers.Collaboration.textInserted": "挿入済み:", - "Common.Controllers.Collaboration.textItalic": "イタリック", - "Common.Controllers.Collaboration.textJustify": "両端揃え", - "Common.Controllers.Collaboration.textKeepLines": "段落を分割しない", - "Common.Controllers.Collaboration.textKeepNext": "次の段落と分離しない", - "Common.Controllers.Collaboration.textLeft": "左揃え", - "Common.Controllers.Collaboration.textLineSpacing": "行間:", - "Common.Controllers.Collaboration.textMessageDeleteComment": "このコメントを削除してもよろしいですか?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "この返信を削除しても宜しいでしょうか?", - "Common.Controllers.Collaboration.textMultiple": "因子", - "Common.Controllers.Collaboration.textNoBreakBefore": "前にページ区切りなし", - "Common.Controllers.Collaboration.textNoChanges": "変更はありません。", - "Common.Controllers.Collaboration.textNoContextual": "同じなスタイルの段落の間に間隔を追加する", - "Common.Controllers.Collaboration.textNoKeepLines": "段落を分割する", - "Common.Controllers.Collaboration.textNoKeepNext": "次の段落と分離する", - "Common.Controllers.Collaboration.textNot": "ない", - "Common.Controllers.Collaboration.textNoWidow": "改ページ時1行残して段落を区切らないを制御しない。", - "Common.Controllers.Collaboration.textNum": "番号設定の変更", - "Common.Controllers.Collaboration.textParaDeleted": "段落が削除された ", - "Common.Controllers.Collaboration.textParaFormatted": "段落の書式設定された:", - "Common.Controllers.Collaboration.textParaInserted": "段落が挿入された ", - "Common.Controllers.Collaboration.textParaMoveFromDown": "下に移動された:", - "Common.Controllers.Collaboration.textParaMoveFromUp": "上に移動された:", - "Common.Controllers.Collaboration.textParaMoveTo": "移動された:", - "Common.Controllers.Collaboration.textPosition": "位置", - "Common.Controllers.Collaboration.textReopen": "再開する", - "Common.Controllers.Collaboration.textResolve": "解決する", - "Common.Controllers.Collaboration.textRight": "右揃え", - "Common.Controllers.Collaboration.textShape": "図形", - "Common.Controllers.Collaboration.textShd": "背景色", - "Common.Controllers.Collaboration.textSmallCaps": "小型英大文字", - "Common.Controllers.Collaboration.textSpacing": "間隔", - "Common.Controllers.Collaboration.textSpacingAfter": "段落の後の行間", - "Common.Controllers.Collaboration.textSpacingBefore": "段落の前の行間", - "Common.Controllers.Collaboration.textStrikeout": "取り消し線", - "Common.Controllers.Collaboration.textSubScript": "下付き", - "Common.Controllers.Collaboration.textSuperScript": "上付き", - "Common.Controllers.Collaboration.textTableChanged": "テーブル設定が変更された", - "Common.Controllers.Collaboration.textTableRowsAdd": "テーブル行が追加された", - "Common.Controllers.Collaboration.textTableRowsDel": "テーブル行が削除された", - "Common.Controllers.Collaboration.textTabs": "タブの変更", - "Common.Controllers.Collaboration.textUnderline": "下線", - "Common.Controllers.Collaboration.textWidow": " 改ページ時 1 行残して段落を区切らない]", - "Common.Controllers.Collaboration.textYes": "はい", - "Common.UI.ThemeColorPalette.textCustomColors": "ユーザー設定色", - "Common.UI.ThemeColorPalette.textStandartColors": "標準の色", - "Common.UI.ThemeColorPalette.textThemeColors": "テーマの色", - "Common.Utils.Metric.txtCm": "センチ", - "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAccept": "同意する", - "Common.Views.Collaboration.textAcceptAllChanges": "すべての変更を反映する", - "Common.Views.Collaboration.textAddReply": "返信の追加", - "Common.Views.Collaboration.textAllChangesAcceptedPreview": "すべての変更が承認されました(プレビュー)", - "Common.Views.Collaboration.textAllChangesEditing": "全ての変更(編集)", - "Common.Views.Collaboration.textAllChangesRejectedPreview": "すべての変更が拒否されました(プレビュー)", - "Common.Views.Collaboration.textBack": "戻る", - "Common.Views.Collaboration.textCancel": "キャンセル", - "Common.Views.Collaboration.textChange": "変更レビュー", - "Common.Views.Collaboration.textCollaboration": "共同編集", - "Common.Views.Collaboration.textDisplayMode": "表示モード", - "Common.Views.Collaboration.textDone": "完了", - "Common.Views.Collaboration.textEditReply": "返事の編集", - "Common.Views.Collaboration.textEditUsers": "ユーザー", - "Common.Views.Collaboration.textEditСomment": "コメントの編集", - "Common.Views.Collaboration.textFinal": "最終版", - "Common.Views.Collaboration.textMarkup": "マークアップ", - "Common.Views.Collaboration.textNoComments": "この文書にはコメントがありません", - "Common.Views.Collaboration.textOriginal": "原本", - "Common.Views.Collaboration.textReject": "拒否する", - "Common.Views.Collaboration.textRejectAllChanges": "すべての変更を元に戻す", - "Common.Views.Collaboration.textReview": "変更履歴", - "Common.Views.Collaboration.textReviewing": "レビュー", - "Common.Views.Collaboration.textСomments": "コメント", - "DE.Controllers.AddContainer.textImage": "画像", - "DE.Controllers.AddContainer.textOther": "その他", - "DE.Controllers.AddContainer.textShape": "図形", - "DE.Controllers.AddContainer.textTable": "表", - "DE.Controllers.AddImage.notcriticalErrorTitle": "警告", - "DE.Controllers.AddImage.textEmptyImgUrl": "画像のURLを指定する必要があります。", - "DE.Controllers.AddImage.txtNotUrl": "このフィールドは、「http://www.example.com」形式のURLである必要があります", - "DE.Controllers.AddOther.notcriticalErrorTitle": "警告", - "DE.Controllers.AddOther.textBelowText": "テキストより下", - "DE.Controllers.AddOther.textBottomOfPage": "ページ下", - "DE.Controllers.AddOther.textCancel": "キャンセル", - "DE.Controllers.AddOther.textContinue": "続ける", - "DE.Controllers.AddOther.textDelete": "削除", - "DE.Controllers.AddOther.textDeleteDraft": "下書きを削除しても宜しいでしょうか?", - "DE.Controllers.AddOther.txtNotUrl": "このフィールドは、「http://www.example.com」形式のURLである必要があります", - "DE.Controllers.AddTable.textCancel": "キャンセル", - "DE.Controllers.AddTable.textColumns": "列", - "DE.Controllers.AddTable.textRows": "行", - "DE.Controllers.AddTable.textTableSize": "表のサイズ", - "DE.Controllers.DocumentHolder.errorCopyCutPaste": "コンテキストメニューを使用したコピー、切り取り、貼り付けの操作は、同じファイル内でのみ実行できます。", - "DE.Controllers.DocumentHolder.menuAddComment": "コメントの追加", - "DE.Controllers.DocumentHolder.menuAddLink": "リンクを追加する", - "DE.Controllers.DocumentHolder.menuCopy": "コピー", - "DE.Controllers.DocumentHolder.menuCut": "切り取り", - "DE.Controllers.DocumentHolder.menuDelete": "削除", - "DE.Controllers.DocumentHolder.menuDeleteTable": "表の削除", - "DE.Controllers.DocumentHolder.menuEdit": "編集する", - "DE.Controllers.DocumentHolder.menuMerge": "セルの結合", - "DE.Controllers.DocumentHolder.menuMore": "もっと", - "DE.Controllers.DocumentHolder.menuOpenLink": "リンクを開く", - "DE.Controllers.DocumentHolder.menuPaste": "貼り付け", - "DE.Controllers.DocumentHolder.menuReview": "レビュー", - "DE.Controllers.DocumentHolder.menuReviewChange": "変更レビュー", - "DE.Controllers.DocumentHolder.menuSplit": "セルの分割", - "DE.Controllers.DocumentHolder.menuViewComment": "コメントを見る", - "DE.Controllers.DocumentHolder.sheetCancel": "キャンセル", - "DE.Controllers.DocumentHolder.textCancel": "キャンセル", - "DE.Controllers.DocumentHolder.textColumns": "列", - "DE.Controllers.DocumentHolder.textCopyCutPasteActions": "コピー,切り取り,貼り付け操作", - "DE.Controllers.DocumentHolder.textDoNotShowAgain": "次回から表示しない", - "DE.Controllers.DocumentHolder.textGuest": "ゲスト", - "DE.Controllers.DocumentHolder.textRows": "行", - "DE.Controllers.EditContainer.textChart": "グラフ", - "DE.Controllers.EditContainer.textFooter": "フッター", - "DE.Controllers.EditContainer.textHeader": "ヘッダー", - "DE.Controllers.EditContainer.textHyperlink": "ハイパーリンク", - "DE.Controllers.EditContainer.textImage": "画像", - "DE.Controllers.EditContainer.textParagraph": "段落", - "DE.Controllers.EditContainer.textSettings": "設定", - "DE.Controllers.EditContainer.textShape": "図形", - "DE.Controllers.EditContainer.textTable": "表", - "DE.Controllers.EditContainer.textText": "テキスト", - "DE.Controllers.EditHyperlink.notcriticalErrorTitle": "警告", - "DE.Controllers.EditHyperlink.textEmptyImgUrl": "画像のURLを指定する必要があります。", - "DE.Controllers.EditHyperlink.txtNotUrl": "このフィールドは、「http://www.example.com」形式のURLである必要があります", - "DE.Controllers.EditImage.notcriticalErrorTitle": "警告", - "DE.Controllers.EditImage.textEmptyImgUrl": "画像のURLを指定する必要があります。", - "DE.Controllers.EditImage.txtNotUrl": "このフィールドは、「http://www.example.com」形式のURLである必要があります", - "DE.Controllers.EditText.textAuto": "自動", - "DE.Controllers.EditText.textFonts": "フォント", - "DE.Controllers.EditText.textPt": "pt", - "DE.Controllers.Main.advDRMEnterPassword": "パスワード入力:", - "DE.Controllers.Main.advDRMOptions": "保護されたファイル", - "DE.Controllers.Main.advDRMPassword": "パスワード", - "DE.Controllers.Main.advTxtOptions": "TXTオプションを選択する", - "DE.Controllers.Main.applyChangesTextText": "データを読み込んでいます", - "DE.Controllers.Main.applyChangesTitleText": "データを読み込んでいます", - "DE.Controllers.Main.closeButtonText": "ファイルを閉じる", - "DE.Controllers.Main.convertationTimeoutText": "変換のタイムアウトを超過しました。", - "DE.Controllers.Main.criticalErrorExtText": "「OK」を押してドキュメント一覧に戻ります。", - "DE.Controllers.Main.criticalErrorTitle": "エラー", - "DE.Controllers.Main.downloadErrorText": "ダウンロードに失敗しました。", - "DE.Controllers.Main.downloadMergeText": "ダウンロード中...", - "DE.Controllers.Main.downloadMergeTitle": "ダウンロード中", - "DE.Controllers.Main.downloadTextText": "文書のダウンロード中", - "DE.Controllers.Main.downloadTitleText": "文書のダウンロード中", - "DE.Controllers.Main.errorAccessDeny": "権限のない操作を実行しようとしています。
ドキュメントサーバーの管理者にご連絡ください。", - "DE.Controllers.Main.errorBadImageUrl": "画像のURLが正しくありません。", - "DE.Controllers.Main.errorCoAuthoringDisconnect": "サーバー接続が失われました。 編集することはできません。", - "DE.Controllers.Main.errorConnectToServer": "文書を保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。
OKボタンをクリックするとドキュメントをダウンロードするように求められます。", - "DE.Controllers.Main.errorDatabaseConnection": "外部エラーです。
データベース接続エラーです。サポートにお問い合わせください。", - "DE.Controllers.Main.errorDataEncrypted": "暗号化された変更を受け取りましたが、解読できません。", - "DE.Controllers.Main.errorDataRange": "データ範囲が正しくありません", - "DE.Controllers.Main.errorDefaultMessage": "エラー コード:%1", - "DE.Controllers.Main.errorEditingDownloadas": "ドキュメントの操作中にエラーが発生しました。
[ダウンロード]オプションを使用して、ファイルのバックアップコピーをコンピューターのハードドライブにご保存ください。", - "DE.Controllers.Main.errorFilePassProtect": "文書がパスワードで保護されているため、開くことができません。", - "DE.Controllers.Main.errorFileSizeExceed": "ファイルサイズがサーバーで設定された制限を超過しています。
Documentサーバー管理者に詳細をお問い合わせください。", - "DE.Controllers.Main.errorKeyEncrypt": "不明なキーの記述子", - "DE.Controllers.Main.errorKeyExpire": "キー記述子は有効期限が切れました", - "DE.Controllers.Main.errorMailMergeLoadFile": "ドキュメントの読み込みに失敗しました。 別のファイルを選択してください。", - "DE.Controllers.Main.errorMailMergeSaveFile": "結合に失敗しました。", - "DE.Controllers.Main.errorOpensource": "無料のコミュニティバージョンを使用すると、閲覧専用のドキュメントを開くことができます。 モバイルWebエディターにアクセスするには、商用ライセンスが必要です。", - "DE.Controllers.Main.errorProcessSaveResult": "保存に失敗しました。", - "DE.Controllers.Main.errorServerVersion": "エディターのバージョンが更新されました。 変更を適用するために、ページが再読み込みされます。", - "DE.Controllers.Main.errorSessionAbsolute": "ドキュメント編集セッションが終了しました。 ページを再度お読み込みください。", - "DE.Controllers.Main.errorSessionIdle": "このドキュメントはかなり長い間編集されていませんでした。このページを再度お読み込みください。", - "DE.Controllers.Main.errorSessionToken": "サーバーとの接続が中断されました。このページを再度お読み込みください。", - "DE.Controllers.Main.errorStockChart": "行の順序が正しくありません。この株価チャートを作成するには、
始値、高値、安値、終値の順でシートのデータを配置してください。", - "DE.Controllers.Main.errorUpdateVersion": "ファイルのバージョンが変更されました。ページが再読み込みます。", - "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "インターネット接続が復旧し、ファイルのバージョンが更新されました。
作業を継続する前に、ファイルをダウンロードするか、内容をコピーして、変更が消えてしまわないように確認してから、ページを再びお読み込みください。", - "DE.Controllers.Main.errorUserDrop": "今、ファイルにアクセスすることはできません。", - "DE.Controllers.Main.errorUsersExceed": "ユーザー数を超えました", - "DE.Controllers.Main.errorViewerDisconnect": "接続が失われました。 ドキュメントを表示することはできますが、
接続が復元されてページが再読み込みされるまでダウンロードできません。", - "DE.Controllers.Main.leavePageText": "このドキュメントには未保存の変更があります。 [このページに留まる]をクリックして、ドキュメントの自動保存をお待ちください。 保存されていない変更をすべて破棄するには、[このページから移動する]をクリックください。", - "DE.Controllers.Main.loadFontsTextText": "データを読み込んでいます", - "DE.Controllers.Main.loadFontsTitleText": "データを読み込んでいます", - "DE.Controllers.Main.loadFontTextText": "データを読み込んでいます", - "DE.Controllers.Main.loadFontTitleText": "データを読み込んでいます", - "DE.Controllers.Main.loadImagesTextText": "画像の読み込み中...", - "DE.Controllers.Main.loadImagesTitleText": "画像の読み込み中", - "DE.Controllers.Main.loadImageTextText": "画像の読み込み中...", - "DE.Controllers.Main.loadImageTitleText": "画像の読み込み中", - "DE.Controllers.Main.loadingDocumentTextText": "ドキュメントを読み込んでいます", - "DE.Controllers.Main.loadingDocumentTitleText": "ドキュメントを読み込んでいます", - "DE.Controllers.Main.mailMergeLoadFileText": "データ ソースを読み込んでいます...", - "DE.Controllers.Main.mailMergeLoadFileTitle": "データ ソースを読み込んでいます", - "DE.Controllers.Main.notcriticalErrorTitle": "警告", - "DE.Controllers.Main.openErrorText": "ファイルを読み込み中にエラーが発生しました", - "DE.Controllers.Main.openTextText": "ドキュメントを開いている中...", - "DE.Controllers.Main.openTitleText": "ドキュメントを開いている中", - "DE.Controllers.Main.printTextText": "ドキュメント印刷中...", - "DE.Controllers.Main.printTitleText": "ドキュメント印刷中", - "DE.Controllers.Main.saveErrorText": "ファイルを保存中にエラーが発生しました", - "DE.Controllers.Main.savePreparingText": "保存の準備中", - "DE.Controllers.Main.savePreparingTitle": "保存の準備中です。少々お待ちください。", - "DE.Controllers.Main.saveTextText": "ドキュメントの保存中...", - "DE.Controllers.Main.saveTitleText": "ドキュメントの保存中", - "DE.Controllers.Main.scriptLoadError": "インターネット接続が遅いため、一部のコンポーネントをロードできませんでした。ページを再度お読み込みください。", - "DE.Controllers.Main.sendMergeText": "結合の結果の送信中...", - "DE.Controllers.Main.sendMergeTitle": "結合の結果の送信中", - "DE.Controllers.Main.splitDividerErrorText": "行数は%1の約数である必要があります", - "DE.Controllers.Main.splitMaxColsErrorText": "列の数は%1未満である必要があります", - "DE.Controllers.Main.splitMaxRowsErrorText": "行の数は%1未満である必要があります", - "DE.Controllers.Main.textAnonymous": "匿名者", - "DE.Controllers.Main.textBack": "戻る", - "DE.Controllers.Main.textBuyNow": "ウェブサイトを訪問する", - "DE.Controllers.Main.textCancel": "キャンセル", - "DE.Controllers.Main.textClose": "閉じる", - "DE.Controllers.Main.textContactUs": "営業部に連絡する", - "DE.Controllers.Main.textCustomLoader": "ライセンスの条件によっては、ローダーを変更する権利がないことにご注意ください。
見積もりについては、営業部門にお問い合わせください。", - "DE.Controllers.Main.textDone": "完了", - "DE.Controllers.Main.textGuest": "ゲスト", - "DE.Controllers.Main.textHasMacros": "ファイルには自動マクロが含まれています。
マクロを実行しますか?", - "DE.Controllers.Main.textLoadingDocument": "ドキュメントを読み込んでいます", - "DE.Controllers.Main.textNo": "いいえ", - "DE.Controllers.Main.textNoLicenseTitle": "ライセンス制限に達しました", - "DE.Controllers.Main.textOK": "OK", - "DE.Controllers.Main.textPaidFeature": "有料機能", - "DE.Controllers.Main.textPassword": "パスワード", - "DE.Controllers.Main.textPreloader": "読み込み中...", - "DE.Controllers.Main.textRemember": "選択内容を保存する", - "DE.Controllers.Main.textTryUndoRedo": "高速共同編集モードでは、元に戻す/やり直し機能が無効になります。", - "DE.Controllers.Main.textUsername": "ユーザー名", - "DE.Controllers.Main.textYes": "はい", - "DE.Controllers.Main.titleLicenseExp": "ライセンスの有効期限が切れています", - "DE.Controllers.Main.titleServerVersion": "エディターが更新された", - "DE.Controllers.Main.titleUpdateVersion": "バージョンを変更しました。", - "DE.Controllers.Main.txtArt": "テキストはここです。", - "DE.Controllers.Main.txtCurrentDocument": "現在の文書", - "DE.Controllers.Main.txtDiagramTitle": "グラフのタイトル", - "DE.Controllers.Main.txtEditingMode": "編集モードの設定中...", - "DE.Controllers.Main.txtFirstPage": "最初のページ", - "DE.Controllers.Main.txtFooter": "フッター", - "DE.Controllers.Main.txtHeader": "ヘッダー", - "DE.Controllers.Main.txtProtected": "パスワードを入力してファイルを開くと、ファイルの既存のパスワードがリセットされます。", - "DE.Controllers.Main.txtSeries": "系列", - "DE.Controllers.Main.txtStyle_footnote_text": "脚注テキスト", - "DE.Controllers.Main.txtStyle_Heading_1": "見出し1", - "DE.Controllers.Main.txtStyle_Heading_2": "見出し2", - "DE.Controllers.Main.txtStyle_Heading_3": "見出し3", - "DE.Controllers.Main.txtStyle_Heading_4": "見出し4", - "DE.Controllers.Main.txtStyle_Heading_5": "見出し5", - "DE.Controllers.Main.txtStyle_Heading_6": "見出し6", - "DE.Controllers.Main.txtStyle_Heading_7": "見出し7", - "DE.Controllers.Main.txtStyle_Heading_8": "見出し8", - "DE.Controllers.Main.txtStyle_Heading_9": "見出し9", - "DE.Controllers.Main.txtStyle_Intense_Quote": "強調表示された引用", - "DE.Controllers.Main.txtStyle_List_Paragraph": "箇条書き", - "DE.Controllers.Main.txtStyle_No_Spacing": "間隔無し", - "DE.Controllers.Main.txtStyle_Normal": "標準", - "DE.Controllers.Main.txtStyle_Quote": "引用", - "DE.Controllers.Main.txtStyle_Subtitle": "小見出し", - "DE.Controllers.Main.txtStyle_Title": "タイトル", - "DE.Controllers.Main.txtXAxis": "X 軸", - "DE.Controllers.Main.txtYAxis": "Y 軸", - "DE.Controllers.Main.unknownErrorText": "不明なエラーです。", - "DE.Controllers.Main.unsupportedBrowserErrorText": "お使いのブラウザがサポートされていません。", - "DE.Controllers.Main.uploadImageExtMessage": "不明な画像形式です。", - "DE.Controllers.Main.uploadImageFileCountMessage": "アップロードされた画像がない", - "DE.Controllers.Main.uploadImageSizeMessage": "最大の画像サイズの上限を超えました。", - "DE.Controllers.Main.uploadImageTextText": "画像のアップロード中...", - "DE.Controllers.Main.uploadImageTitleText": "画像のアップロード中", - "DE.Controllers.Main.waitText": "少々お待ちください...", - "DE.Controllers.Main.warnLicenseExceeded": "%1エディターへの同時接続の制限に達しました。 このドキュメントは表示専用で開かれます。
詳細については、管理者にお問い合わせください。", - "DE.Controllers.Main.warnLicenseExp": "ライセンスの期限が切れました。
ライセンスを更新して、ページをリロードしてください。", - "DE.Controllers.Main.warnLicenseLimitedNoAccess": "ライセンスの有効期限が切れています。
ドキュメント編集機能にアクセスできません。
管理者にご連絡ください。", - "DE.Controllers.Main.warnLicenseLimitedRenewed": "ライセンスを更新する必要があります。
ドキュメント編集機能へのアクセスが制限されています。
フルアクセスを取得するには、管理者にご連絡ください", - "DE.Controllers.Main.warnLicenseUsersExceeded": "%1エディターのユーザー制限に達しました。 詳細については、管理者にお問い合わせください。", - "DE.Controllers.Main.warnNoLicense": "%1エディターへの同時接続の制限に達しました。 このドキュメントは閲覧のみを目的として開かれます。
個人的なアップグレード条件については、%1セールスチームにお問い合わせください。", - "DE.Controllers.Main.warnNoLicenseUsers": "%1エディターのユーザー制限に達しました。 個人的なアップグレード条件については、%1営業チームにお問い合わせください。", - "DE.Controllers.Main.warnProcessRightsChange": "ファイルを編集する権限を拒否されています。", - "DE.Controllers.Search.textNoTextFound": "テキストが見つかりません", - "DE.Controllers.Search.textReplaceAll": "全てを置き換える", - "DE.Controllers.Settings.notcriticalErrorTitle": "警告", - "DE.Controllers.Settings.textCustomSize": "ユーザ設定サイズ", - "DE.Controllers.Settings.txtLoading": "読み込み中...", - "DE.Controllers.Settings.unknownText": "不明", - "DE.Controllers.Settings.warnDownloadAs": "この形式で保存し続ける場合は、テキスト以外のすべての機能が失われます。
続行してもよろしいですか?", - "DE.Controllers.Settings.warnDownloadAsRTF": "この形式で保存を続けると、一部の書式が失われる可能性があります。
続行しますか?", - "DE.Controllers.Toolbar.dlgLeaveMsgText": "このドキュメントには未保存の変更があります。 [このページに留まる]をクリックして、ドキュメントの自動保存をお待ちください。 保存されていない変更をすべて破棄するには、[このページから移動する]をクリックください。", - "DE.Controllers.Toolbar.dlgLeaveTitleText": "アプリケーションを終了します", - "DE.Controllers.Toolbar.leaveButtonText": "このページから移動する", - "DE.Controllers.Toolbar.stayButtonText": "このページに留まる", - "DE.Views.AddImage.textAddress": "アドレス", - "DE.Views.AddImage.textBack": "戻る", - "DE.Views.AddImage.textFromLibrary": "ライブラリから写真を選択", - "DE.Views.AddImage.textFromURL": "URLからの画像", - "DE.Views.AddImage.textImageURL": "画像URL", - "DE.Views.AddImage.textInsertImage": "画像の挿入", - "DE.Views.AddImage.textLinkSettings": "リンク設定", - "DE.Views.AddOther.textAddComment": "コメントの追加", - "DE.Views.AddOther.textAddLink": "リンクを追加する", - "DE.Views.AddOther.textBack": "戻る", - "DE.Views.AddOther.textBreak": "区切り", - "DE.Views.AddOther.textCenterBottom": "下部中央", - "DE.Views.AddOther.textCenterTop": "上部中央", - "DE.Views.AddOther.textColumnBreak": "段区切り", - "DE.Views.AddOther.textComment": "コメント", - "DE.Views.AddOther.textContPage": "連続ページ表示", - "DE.Views.AddOther.textCurrentPos": "現在位置", - "DE.Views.AddOther.textDisplay": "表示する", - "DE.Views.AddOther.textDone": "完了", - "DE.Views.AddOther.textEvenPage": "偶数ページから開始", - "DE.Views.AddOther.textFootnote": "脚注", - "DE.Views.AddOther.textFormat": "フォーマット", - "DE.Views.AddOther.textInsert": "挿入", - "DE.Views.AddOther.textInsertFootnote": "脚注の挿入", - "DE.Views.AddOther.textLeftBottom": "左下", - "DE.Views.AddOther.textLeftTop": "左上", - "DE.Views.AddOther.textLink": "リンク", - "DE.Views.AddOther.textLocation": "位置", - "DE.Views.AddOther.textNextPage": "次のページ", - "DE.Views.AddOther.textOddPage": "奇数ページから", - "DE.Views.AddOther.textPageBreak": "ページ区切り", - "DE.Views.AddOther.textPageNumber": "ページ番号", - "DE.Views.AddOther.textPosition": "位置", - "DE.Views.AddOther.textRightBottom": "右下", - "DE.Views.AddOther.textRightTop": "右上", - "DE.Views.AddOther.textSectionBreak": "セクション区切り", - "DE.Views.AddOther.textStartFrom": "から始まる", - "DE.Views.AddOther.textTip": "画面のヒント", - "DE.Views.EditChart.textAddCustomColor": "カストム色を追加する", - "DE.Views.EditChart.textAlign": "配置", - "DE.Views.EditChart.textBack": "戻る", - "DE.Views.EditChart.textBackward": "背面へ移動", - "DE.Views.EditChart.textBehind": "テキストの背後に", - "DE.Views.EditChart.textBorder": "罫線", - "DE.Views.EditChart.textColor": "色", - "DE.Views.EditChart.textCustomColor": "ユーザー設定色", - "DE.Views.EditChart.textDistanceText": "文字列との間隔", - "DE.Views.EditChart.textFill": "塗りつぶし", - "DE.Views.EditChart.textForward": "前面へ移動", - "DE.Views.EditChart.textInFront": "テキストの前に", - "DE.Views.EditChart.textInline": "インライン", - "DE.Views.EditChart.textMoveText": "テキストと一緒に移動する", - "DE.Views.EditChart.textOverlap": "オーバーラップさせる", - "DE.Views.EditChart.textRemoveChart": "図表を削除する", - "DE.Views.EditChart.textReorder": "並べ替え", - "DE.Views.EditChart.textSize": "太さ", - "DE.Views.EditChart.textSquare": "四角", - "DE.Views.EditChart.textStyle": "スタイル", - "DE.Views.EditChart.textThrough": "内部", - "DE.Views.EditChart.textTight": "外周", - "DE.Views.EditChart.textToBackground": "背景へ移動", - "DE.Views.EditChart.textToForeground": "前に移動", - "DE.Views.EditChart.textTopBottom": "上と下", - "DE.Views.EditChart.textType": "タイプ", - "DE.Views.EditChart.textWrap": "折り返しスタイル", - "DE.Views.EditHeader.textDiffFirst": "先頭ページのみ別指定\t", - "DE.Views.EditHeader.textDiffOdd": "奇数/偶数ページ別指定", - "DE.Views.EditHeader.textFrom": "から始まる", - "DE.Views.EditHeader.textPageNumbering": "ページ番号", - "DE.Views.EditHeader.textPrev": "前のセクションから続ける", - "DE.Views.EditHeader.textSameAs": "前と同じ​​ヘッダー/フッター", - "DE.Views.EditHyperlink.textDisplay": "表示する", - "DE.Views.EditHyperlink.textEdit": "リンクを編集する", - "DE.Views.EditHyperlink.textLink": "リンク", - "DE.Views.EditHyperlink.textRemove": "リンクを削除する", - "DE.Views.EditHyperlink.textTip": "画面のヒント", - "DE.Views.EditImage.textAddress": "アドレス", - "DE.Views.EditImage.textAlign": "配置", - "DE.Views.EditImage.textBack": "戻る", - "DE.Views.EditImage.textBackward": "背面へ移動", - "DE.Views.EditImage.textBehind": "テキストの背後に", - "DE.Views.EditImage.textDefault": "実際のサイズ", - "DE.Views.EditImage.textDistanceText": "文字列との間隔", - "DE.Views.EditImage.textForward": "前面へ移動", - "DE.Views.EditImage.textFromLibrary": "ライブラリから写真を選択", - "DE.Views.EditImage.textFromURL": "URLからの画像", - "DE.Views.EditImage.textImageURL": "画像URL", - "DE.Views.EditImage.textInFront": "テキストの前に", - "DE.Views.EditImage.textInline": "インライン", - "DE.Views.EditImage.textLinkSettings": "リンク設定", - "DE.Views.EditImage.textMoveText": "テキストと一緒に移動する", - "DE.Views.EditImage.textOverlap": "オーバーラップさせる", - "DE.Views.EditImage.textRemove": "画像を削除する", - "DE.Views.EditImage.textReorder": "並べ替え", - "DE.Views.EditImage.textReplace": "置き換える", - "DE.Views.EditImage.textReplaceImg": "画像を置き換える", - "DE.Views.EditImage.textSquare": "四角", - "DE.Views.EditImage.textThrough": "内部", - "DE.Views.EditImage.textTight": "外周", - "DE.Views.EditImage.textToBackground": "背景へ移動", - "DE.Views.EditImage.textToForeground": "前に移動", - "DE.Views.EditImage.textTopBottom": "上と下", - "DE.Views.EditImage.textWrap": "折り返しスタイル", - "DE.Views.EditParagraph.textAddCustomColor": "カストム色を追加する", - "DE.Views.EditParagraph.textAdvanced": "高度な", - "DE.Views.EditParagraph.textAdvSettings": "詳細設定", - "DE.Views.EditParagraph.textAfter": "後に", - "DE.Views.EditParagraph.textAuto": "自動", - "DE.Views.EditParagraph.textBack": "戻る", - "DE.Views.EditParagraph.textBackground": "背景", - "DE.Views.EditParagraph.textBefore": "前", - "DE.Views.EditParagraph.textCustomColor": "ユーザー設定色", - "DE.Views.EditParagraph.textFirstLine": "先頭行", - "DE.Views.EditParagraph.textFromText": "文字列との間隔", - "DE.Views.EditParagraph.textKeepLines": "段落を分割しない", - "DE.Views.EditParagraph.textKeepNext": "次の段落と分離しない", - "DE.Views.EditParagraph.textOrphan": "改ページ時1行残して段落を区切らないを制御する", - "DE.Views.EditParagraph.textPageBreak": "前に改ページ", - "DE.Views.EditParagraph.textPrgStyles": "段落のスタイル", - "DE.Views.EditParagraph.textSpaceBetween": "段落の間のスペース", - "DE.Views.EditShape.textAddCustomColor": "カストム色を追加する", - "DE.Views.EditShape.textAlign": "配置", - "DE.Views.EditShape.textBack": "戻る", - "DE.Views.EditShape.textBackward": "背面へ移動", - "DE.Views.EditShape.textBehind": "テキストの背後に", - "DE.Views.EditShape.textBorder": "罫線", - "DE.Views.EditShape.textColor": "色", - "DE.Views.EditShape.textCustomColor": "ユーザー設定色", - "DE.Views.EditShape.textEffects": "効果", - "DE.Views.EditShape.textFill": "塗りつぶし", - "DE.Views.EditShape.textForward": "前面へ移動", - "DE.Views.EditShape.textFromText": "文字列との間隔", - "DE.Views.EditShape.textInFront": "テキストの前に", - "DE.Views.EditShape.textInline": "インライン", - "DE.Views.EditShape.textOpacity": "不透明度", - "DE.Views.EditShape.textOverlap": "オーバーラップさせる", - "DE.Views.EditShape.textRemoveShape": "図形を削除する", - "DE.Views.EditShape.textReorder": "並べ替え", - "DE.Views.EditShape.textReplace": "置き換える", - "DE.Views.EditShape.textSize": "太さ", - "DE.Views.EditShape.textSquare": "四角", - "DE.Views.EditShape.textStyle": "スタイル", - "DE.Views.EditShape.textThrough": "内部", - "DE.Views.EditShape.textTight": "外周", - "DE.Views.EditShape.textToBackground": "背景へ移動", - "DE.Views.EditShape.textToForeground": "前に移動", - "DE.Views.EditShape.textTopAndBottom": "上と下", - "DE.Views.EditShape.textWithText": "テキストと一緒に移動する", - "DE.Views.EditShape.textWrap": "折り返しスタイル", - "DE.Views.EditTable.textAddCustomColor": "カストム色を追加する", - "DE.Views.EditTable.textAlign": "配置", - "DE.Views.EditTable.textBack": "戻る", - "DE.Views.EditTable.textBandedColumn": "縦方向の縞模様", - "DE.Views.EditTable.textBandedRow": "横方向の縞模様", - "DE.Views.EditTable.textBorder": "罫線", - "DE.Views.EditTable.textCellMargins": "セルの余白", - "DE.Views.EditTable.textColor": "色", - "DE.Views.EditTable.textCustomColor": "ユーザー設定色", - "DE.Views.EditTable.textFill": "塗りつぶし", - "DE.Views.EditTable.textFirstColumn": "最初の列", - "DE.Views.EditTable.textFlow": "フロー", - "DE.Views.EditTable.textFromText": "文字列との間隔", - "DE.Views.EditTable.textHeaderRow": "見出し行", - "DE.Views.EditTable.textInline": "インライン", - "DE.Views.EditTable.textLastColumn": "最後の列", - "DE.Views.EditTable.textOptions": "設定", - "DE.Views.EditTable.textRemoveTable": "テーブルを削除する", - "DE.Views.EditTable.textRepeatHeader": "ヘッダー行として繰り返す", - "DE.Views.EditTable.textResizeFit": "内容に合わせてサイズを変更する", - "DE.Views.EditTable.textSize": "太さ", - "DE.Views.EditTable.textStyle": "スタイル", - "DE.Views.EditTable.textStyleOptions": "スタイルの設定", - "DE.Views.EditTable.textTableOptions": "表の設定", - "DE.Views.EditTable.textTotalRow": "合計行", - "DE.Views.EditTable.textWithText": "テキストと一緒に移動する", - "DE.Views.EditTable.textWrap": "折り返しスタイル", - "DE.Views.EditText.textAddCustomColor": "カストム色を追加する", - "DE.Views.EditText.textAdditional": "追加の", - "DE.Views.EditText.textAdditionalFormat": "追加の書式設定", - "DE.Views.EditText.textAllCaps": "全ての大字", - "DE.Views.EditText.textAutomatic": "自動的", - "DE.Views.EditText.textBack": "戻る", - "DE.Views.EditText.textBullets": "箇条書き", - "DE.Views.EditText.textCharacterBold": "B", - "DE.Views.EditText.textCharacterItalic": "I", - "DE.Views.EditText.textCharacterStrikethrough": "S", - "DE.Views.EditText.textCharacterUnderline": "U", - "DE.Views.EditText.textCustomColor": "ユーザー設定色", - "DE.Views.EditText.textDblStrikethrough": "二重取り消し線", - "DE.Views.EditText.textDblSuperscript": "上付き", - "DE.Views.EditText.textFontColor": "フォントの色", - "DE.Views.EditText.textFontColors": "フォントの色", - "DE.Views.EditText.textFonts": "フォント", - "DE.Views.EditText.textHighlightColor": "強調表示の色", - "DE.Views.EditText.textHighlightColors": "強調表示の色", - "DE.Views.EditText.textLetterSpacing": "文字間隔", - "DE.Views.EditText.textLineSpacing": "行間", - "DE.Views.EditText.textNone": "なし", - "DE.Views.EditText.textNumbers": "番号", - "DE.Views.EditText.textSize": "サイズ", - "DE.Views.EditText.textSmallCaps": "小型英大文字\t", - "DE.Views.EditText.textStrikethrough": "取り消し線", - "DE.Views.EditText.textSubscript": "下付き", - "DE.Views.Search.textCase": "大文字と小文字の区別", - "DE.Views.Search.textDone": "完了", - "DE.Views.Search.textFind": "検索", - "DE.Views.Search.textFindAndReplace": "検索と置換", - "DE.Views.Search.textHighlight": "結果を強調表示する", - "DE.Views.Search.textReplace": "置き換える", - "DE.Views.Search.textSearch": "検索", - "DE.Views.Settings.textAbout": "詳細情報", - "DE.Views.Settings.textAddress": "アドレス", - "DE.Views.Settings.textAdvancedSettings": "アプリ設定", - "DE.Views.Settings.textApplication": "アプリ", - "DE.Views.Settings.textAuthor": "作成者", - "DE.Views.Settings.textBack": "戻る", - "DE.Views.Settings.textBottom": "下", - "DE.Views.Settings.textCentimeter": "センチ", - "DE.Views.Settings.textCollaboration": "共同編集", - "DE.Views.Settings.textColorSchemes": "配色", - "DE.Views.Settings.textComment": "コメント", - "DE.Views.Settings.textCommentingDisplay": "コメント表示", - "DE.Views.Settings.textCreated": "作成しました", - "DE.Views.Settings.textCreateDate": "作成日時", - "DE.Views.Settings.textCustom": "カスタム", - "DE.Views.Settings.textCustomSize": "ユーザ設定サイズ", - "DE.Views.Settings.textDisableAll": "全てを無効にする", - "DE.Views.Settings.textDisableAllMacrosWithNotification": "マクロを無効にして、通知する", - "DE.Views.Settings.textDisableAllMacrosWithoutNotification": "マクロを無効にして、通知しない", - "DE.Views.Settings.textDisplayComments": "コメント", - "DE.Views.Settings.textDisplayResolvedComments": "解決されたコメント", - "DE.Views.Settings.textDocInfo": "文書の情報", - "DE.Views.Settings.textDocTitle": "文書名", - "DE.Views.Settings.textDocumentFormats": "ドキュメントフォーマット", - "DE.Views.Settings.textDocumentSettings": "文書設定", - "DE.Views.Settings.textDone": "完了", - "DE.Views.Settings.textDownload": "ダウンロード", - "DE.Views.Settings.textDownloadAs": "...としてダウンロード", - "DE.Views.Settings.textEditDoc": "文書を編集する", - "DE.Views.Settings.textEmail": "メール", - "DE.Views.Settings.textEnableAll": "全てを有効にする", - "DE.Views.Settings.textEnableAllMacrosWithoutNotification": "通知しないで、すべてのマクロを有効にする", - "DE.Views.Settings.textFind": "検索", - "DE.Views.Settings.textFindAndReplace": "検索と置換", - "DE.Views.Settings.textFormat": "フォーマット", - "DE.Views.Settings.textHelp": "ヘルプ", - "DE.Views.Settings.textHiddenTableBorders": "隠しテーブルの罫線", - "DE.Views.Settings.textInch": "インチ", - "DE.Views.Settings.textLandscape": "横向き", - "DE.Views.Settings.textLastModified": "最終更新", - "DE.Views.Settings.textLastModifiedBy": "最終更新者", - "DE.Views.Settings.textLeft": "左", - "DE.Views.Settings.textLoading": "読み込み中...", - "DE.Views.Settings.textLocation": "位置", - "DE.Views.Settings.textMacrosSettings": "マクロの設定", - "DE.Views.Settings.textMargins": "余白", - "DE.Views.Settings.textNoCharacters": "編集記号の表示", - "DE.Views.Settings.textOrientation": "印刷の向き", - "DE.Views.Settings.textOwner": "所有者", - "DE.Views.Settings.textPages": "ページ", - "DE.Views.Settings.textParagraphs": "段落", - "DE.Views.Settings.textPoint": "ポイント", - "DE.Views.Settings.textPortrait": "縦向き", - "DE.Views.Settings.textPoweredBy": "Powered by", - "DE.Views.Settings.textPrint": "印刷", - "DE.Views.Settings.textReader": "編集不可モード", - "DE.Views.Settings.textReview": "変更履歴", - "DE.Views.Settings.textRight": "右", - "DE.Views.Settings.textSettings": "設定", - "DE.Views.Settings.textShowNotification": "通知を表示する", - "DE.Views.Settings.textSpaces": "スペース", - "DE.Views.Settings.textSpellcheck": "スペル チェック", - "DE.Views.Settings.textStatistic": "統計値", - "DE.Views.Settings.textSubject": "件名", - "DE.Views.Settings.textSymbols": "記号と特殊文字", - "DE.Views.Settings.textTel": "電話", - "DE.Views.Settings.textTitle": "タイトル", - "DE.Views.Settings.textTop": "上", - "DE.Views.Settings.textUnitOfMeasurement": "測定単位", - "DE.Views.Settings.textUploaded": "アップロードされた", - "DE.Views.Settings.textVersion": "バージョン", - "DE.Views.Settings.textWords": "言葉", - "DE.Views.Settings.unknownText": "不明", - "DE.Views.Toolbar.textBack": "戻る" + "About": { + "textAbout": "情報", + "textAddress": "アドレス", + "textBack": "戻る" + }, + "Add": { + "textAddLink": "リンクを追加", + "textAddress": "アドレス", + "textBack": "戻る" + }, + "Common": { + "Collaboration": { + "textAccept": "同意する", + "textAcceptAllChanges": "すべての変更を受け入れる", + "textAddComment": "コメントを追加", + "textAddReply": "返信を追加", + "textAllChangesAcceptedPreview": "すべての変更が承認されました(プレビュー)", + "textAllChangesEditing": "全ての変更(編集)", + "textAllChangesRejectedPreview": "すべての変更が拒否されました(プレビュー)", + "textAuto": "自動", + "textBack": "戻る", + "textShd": "背景色" + } + }, + "ContextMenu": { + "menuAddComment": "コメントを追加", + "menuAddLink": "リンクを追加" + }, + "Edit": { + "textActualSize": "実際のサイズ", + "textAddCustomColor": "カスタム色を追加", + "textAdditionalFormatting": "追加の書式設定", + "textAddress": "アドレス", + "textAdvanced": "詳細", + "textAdvancedSettings": "詳細設定", + "textAuto": "自動", + "textAutomatic": "自動", + "textBack": "戻る", + "textBackground": "背景" + }, + "Main": { + "textAnonymous": "匿名" + }, + "Settings": { + "textAbout": "情報", + "textApplication": "アプリ", + "textApplicationSettings": "アプリ設定", + "textAuthor": "作成者", + "textBack": "戻る" + } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/pt.json b/apps/documenteditor/mobile/locale/pt.json index d04455708..55eed5a7f 100644 --- a/apps/documenteditor/mobile/locale/pt.json +++ b/apps/documenteditor/mobile/locale/pt.json @@ -1,607 +1,5 @@ { - "Common.Controllers.Collaboration.textAddReply": "Adicionar resposta", - "Common.Controllers.Collaboration.textAtLeast": "pelo menos", - "Common.Controllers.Collaboration.textAuto": "Automático", - "Common.Controllers.Collaboration.textBaseline": "Linha de base", - "Common.Controllers.Collaboration.textBold": "Negrito", - "Common.Controllers.Collaboration.textBreakBefore": "Quebra de página antes", - "Common.Controllers.Collaboration.textCancel": "Cancelar", - "Common.Controllers.Collaboration.textCaps": "Todas maiúsculas", - "Common.Controllers.Collaboration.textCenter": "Centralizar Texto", - "Common.Controllers.Collaboration.textChart": "Gráfico", - "Common.Controllers.Collaboration.textColor": "Cor da fonte", - "Common.Controllers.Collaboration.textContextual": "Não adicionar intervalo entre parágrafos do mesmo estilo", - "Common.Controllers.Collaboration.textDelete": "Excluir", - "Common.Controllers.Collaboration.textDeleteComment": "Excluir comentários", - "Common.Controllers.Collaboration.textDeleted": "Excluído:", - "Common.Controllers.Collaboration.textDeleteReply": "Excluir resposta", - "Common.Controllers.Collaboration.textDone": "Concluído", - "Common.Controllers.Collaboration.textDStrikeout": "Tachado duplo", - "Common.Controllers.Collaboration.textEdit": "Editar", - "Common.Controllers.Collaboration.textEditUser": "Usuários que estão editando o arquivo:", - "Common.Controllers.Collaboration.textEquation": "Equação", - "Common.Controllers.Collaboration.textExact": "exatamente", - "Common.Controllers.Collaboration.textFirstLine": "Primeira linha", - "Common.Controllers.Collaboration.textFormatted": "Formatado", - "Common.Controllers.Collaboration.textHighlight": "Cor de Destaque", - "Common.Controllers.Collaboration.textImage": "Imagem", - "Common.Controllers.Collaboration.textIndentLeft": "Recuo à esquerda", - "Common.Controllers.Collaboration.textIndentRight": "Recuo à direita", - "Common.Controllers.Collaboration.textInserted": "Inserido:", - "Common.Controllers.Collaboration.textItalic": "Itálico", - "Common.Controllers.Collaboration.textJustify": "Justificar Texto", - "Common.Controllers.Collaboration.textKeepLines": "Manter linhas juntas", - "Common.Controllers.Collaboration.textKeepNext": "Manter com o próximo", - "Common.Controllers.Collaboration.textLeft": "Alinhar à esquerda", - "Common.Controllers.Collaboration.textLineSpacing": "Espaçamento de linha:", - "Common.Controllers.Collaboration.textMessageDeleteComment": "Você quer realmente excluir este comentário?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "Você realmente quer apagar esta resposta?", - "Common.Controllers.Collaboration.textMultiple": "múltiplo", - "Common.Controllers.Collaboration.textNoBreakBefore": "Sem quebra de página antes", - "Common.Controllers.Collaboration.textNoChanges": "Não há mudanças.", - "Common.Controllers.Collaboration.textNoContextual": "Adicionar intervalo entre parágrafos do mesmo estilo", - "Common.Controllers.Collaboration.textNoKeepLines": "Não mantenha linhas juntas", - "Common.Controllers.Collaboration.textNoKeepNext": "Não mantenha com o próximo", - "Common.Controllers.Collaboration.textNot": "Não", - "Common.Controllers.Collaboration.textNoWidow": "Sem controle de linhas órfãs/viúvas", - "Common.Controllers.Collaboration.textNum": "Alterar numeração", - "Common.Controllers.Collaboration.textParaDeleted": "Parágrafo Excluído ", - "Common.Controllers.Collaboration.textParaFormatted": "Parágrafo Formatado", - "Common.Controllers.Collaboration.textParaInserted": "Parágrafo Incluído ", - "Common.Controllers.Collaboration.textParaMoveFromDown": "Movido Para Baixo:", - "Common.Controllers.Collaboration.textParaMoveFromUp": "Movido Para Cima:", - "Common.Controllers.Collaboration.textParaMoveTo": "Movido:", - "Common.Controllers.Collaboration.textPosition": "Posição", - "Common.Controllers.Collaboration.textReopen": "Reabrir", - "Common.Controllers.Collaboration.textResolve": "Resolver", - "Common.Controllers.Collaboration.textRight": "Alinhar à direita", - "Common.Controllers.Collaboration.textShape": "Forma", - "Common.Controllers.Collaboration.textShd": "Cor do plano de fundo", - "Common.Controllers.Collaboration.textSmallCaps": "Versalete", - "Common.Controllers.Collaboration.textSpacing": "Espaçamento", - "Common.Controllers.Collaboration.textSpacingAfter": "Espaçamento depois", - "Common.Controllers.Collaboration.textSpacingBefore": "Espaçamento antes", - "Common.Controllers.Collaboration.textStrikeout": "Tachado", - "Common.Controllers.Collaboration.textSubScript": "Subscrito", - "Common.Controllers.Collaboration.textSuperScript": "Sobrescrito", - "Common.Controllers.Collaboration.textTableChanged": "Configurações de Tabela Alteradas", - "Common.Controllers.Collaboration.textTableRowsAdd": "Linhas de Tabela Incluídas", - "Common.Controllers.Collaboration.textTableRowsDel": "Linhas de Tabela Excluídas", - "Common.Controllers.Collaboration.textTabs": "Trocar tabs", - "Common.Controllers.Collaboration.textUnderline": "Sublinhado", - "Common.Controllers.Collaboration.textWidow": "Controle de linhas órfãs/viúvas.", - "Common.Controllers.Collaboration.textYes": "Sim", - "Common.UI.ThemeColorPalette.textCustomColors": "Cores personalizadas", - "Common.UI.ThemeColorPalette.textStandartColors": "Cores padronizadas", - "Common.UI.ThemeColorPalette.textThemeColors": "Cores do tema", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAccept": "Aceitar", - "Common.Views.Collaboration.textAcceptAllChanges": "Aceitar todas as alterações", - "Common.Views.Collaboration.textAddReply": "Adicionar resposta", - "Common.Views.Collaboration.textAllChangesAcceptedPreview": "Todas as alterações aceitas (Visualização)", - "Common.Views.Collaboration.textAllChangesEditing": "Todas as alterações (Edição)", - "Common.Views.Collaboration.textAllChangesRejectedPreview": "Todas as alterações rejeitadas (Visualização)", - "Common.Views.Collaboration.textBack": "Voltar", - "Common.Views.Collaboration.textCancel": "Cancelar", - "Common.Views.Collaboration.textChange": "Rever Alterações", - "Common.Views.Collaboration.textCollaboration": "Colaboração", - "Common.Views.Collaboration.textDisplayMode": "Modo de exibição", - "Common.Views.Collaboration.textDone": "Concluído", - "Common.Views.Collaboration.textEditReply": "Editar resposta", - "Common.Views.Collaboration.textEditUsers": "Usuários", - "Common.Views.Collaboration.textEditСomment": "Editar comentário", - "Common.Views.Collaboration.textFinal": "Final", - "Common.Views.Collaboration.textMarkup": "Marcação", - "Common.Views.Collaboration.textNoComments": "O documento não contém comentários", - "Common.Views.Collaboration.textOriginal": "Original", - "Common.Views.Collaboration.textReject": "Rejeitar", - "Common.Views.Collaboration.textRejectAllChanges": "Rejeitar todas as alterações", - "Common.Views.Collaboration.textReview": "Controlar alterações", - "Common.Views.Collaboration.textReviewing": "Revisão", - "Common.Views.Collaboration.textСomments": "Comentários", - "DE.Controllers.AddContainer.textImage": "Imagem", - "DE.Controllers.AddContainer.textOther": "Outro", - "DE.Controllers.AddContainer.textShape": "Forma", - "DE.Controllers.AddContainer.textTable": "Tabela", - "DE.Controllers.AddImage.notcriticalErrorTitle": "Aviso", - "DE.Controllers.AddImage.textEmptyImgUrl": "Você precisa especificar uma URL de imagem.", - "DE.Controllers.AddImage.txtNotUrl": "Este campo deveria ser uma URL no formato \"http://www.exemplo.com\"", - "DE.Controllers.AddOther.notcriticalErrorTitle": "Aviso", - "DE.Controllers.AddOther.textBelowText": "Abaixo do texto", - "DE.Controllers.AddOther.textBottomOfPage": "Inferior da página", - "DE.Controllers.AddOther.textCancel": "Cancelar", - "DE.Controllers.AddOther.textContinue": "Continuar", - "DE.Controllers.AddOther.textDelete": "Excluir", - "DE.Controllers.AddOther.textDeleteDraft": "Você realmente quer apagar o rascunho?", - "DE.Controllers.AddOther.txtNotUrl": "Este campo deveria ser uma URL no formato \"http://www.exemplo.com\"", - "DE.Controllers.AddTable.textCancel": "Cancelar", - "DE.Controllers.AddTable.textColumns": "Colunas", - "DE.Controllers.AddTable.textRows": "Linhas", - "DE.Controllers.AddTable.textTableSize": "Tamanho da tabela", - "DE.Controllers.DocumentHolder.errorCopyCutPaste": "Copiar, cortar e colar usando o menu de contexto serão aplicadas apenas a este arquivo.", - "DE.Controllers.DocumentHolder.menuAddComment": "Adicionar comentário", - "DE.Controllers.DocumentHolder.menuAddLink": "Adicionar Link", - "DE.Controllers.DocumentHolder.menuCopy": "Copiar", - "DE.Controllers.DocumentHolder.menuCut": "Cortar", - "DE.Controllers.DocumentHolder.menuDelete": "Excluir", - "DE.Controllers.DocumentHolder.menuDeleteTable": "Excluir tabela", - "DE.Controllers.DocumentHolder.menuEdit": "Editar", - "DE.Controllers.DocumentHolder.menuMerge": "Mesclar células", - "DE.Controllers.DocumentHolder.menuMore": "Mais", - "DE.Controllers.DocumentHolder.menuOpenLink": "Abrir link", - "DE.Controllers.DocumentHolder.menuPaste": "Colar", - "DE.Controllers.DocumentHolder.menuReview": "Revisão", - "DE.Controllers.DocumentHolder.menuReviewChange": "Rever Alterações", - "DE.Controllers.DocumentHolder.menuSplit": "Dividir célula", - "DE.Controllers.DocumentHolder.menuViewComment": "Ver Comentário", - "DE.Controllers.DocumentHolder.sheetCancel": "Cancelar", - "DE.Controllers.DocumentHolder.textCancel": "Cancelar", - "DE.Controllers.DocumentHolder.textColumns": "Colunas", - "DE.Controllers.DocumentHolder.textCopyCutPasteActions": "Copiar, Cortar e Colar", - "DE.Controllers.DocumentHolder.textDoNotShowAgain": "Não exibir novamente", - "DE.Controllers.DocumentHolder.textGuest": "Convidado", - "DE.Controllers.DocumentHolder.textRows": "Linhas", - "DE.Controllers.EditContainer.textChart": "Gráfico", - "DE.Controllers.EditContainer.textFooter": "Rodapé", - "DE.Controllers.EditContainer.textHeader": "Cabeçalho", - "DE.Controllers.EditContainer.textHyperlink": "Hiperlink", - "DE.Controllers.EditContainer.textImage": "Imagem", - "DE.Controllers.EditContainer.textParagraph": "Parágrafo", - "DE.Controllers.EditContainer.textSettings": "Configurações", - "DE.Controllers.EditContainer.textShape": "Forma", - "DE.Controllers.EditContainer.textTable": "Tabela", - "DE.Controllers.EditContainer.textText": "Тexto", - "DE.Controllers.EditHyperlink.notcriticalErrorTitle": "Aviso", - "DE.Controllers.EditHyperlink.textEmptyImgUrl": "Você precisa especificar uma URL de imagem.", - "DE.Controllers.EditHyperlink.txtNotUrl": "Este campo deveria ser uma URL no formato \"http://www.exemplo.com\"", - "DE.Controllers.EditImage.notcriticalErrorTitle": "Aviso", - "DE.Controllers.EditImage.textEmptyImgUrl": "Você precisa especificar uma URL de imagem.", - "DE.Controllers.EditImage.txtNotUrl": "Este campo deveria ser uma URL no formato \"http://www.exemplo.com\"", - "DE.Controllers.EditText.textAuto": "Auto", - "DE.Controllers.EditText.textFonts": "Fontes", - "DE.Controllers.EditText.textPt": "pt", - "DE.Controllers.Main.advDRMEnterPassword": "Digite sua senha:", - "DE.Controllers.Main.advDRMOptions": "Arquivo protegido", - "DE.Controllers.Main.advDRMPassword": "Senha", - "DE.Controllers.Main.advTxtOptions": "Escolha Opções de TXT", - "DE.Controllers.Main.applyChangesTextText": "Carregando dados...", - "DE.Controllers.Main.applyChangesTitleText": "Carregando dados", - "DE.Controllers.Main.closeButtonText": "Fechar Arquivo", - "DE.Controllers.Main.convertationTimeoutText": "Tempo limite de conversão excedido.", - "DE.Controllers.Main.criticalErrorExtText": "Pressione \"OK\" para voltar para a lista de documento.", - "DE.Controllers.Main.criticalErrorTitle": "Erro", - "DE.Controllers.Main.downloadErrorText": "Transferência falhou.", - "DE.Controllers.Main.downloadMergeText": "Transferindo...", - "DE.Controllers.Main.downloadMergeTitle": "Transferindo", - "DE.Controllers.Main.downloadTextText": "Transferindo documento...", - "DE.Controllers.Main.downloadTitleText": "Transferindo documento", - "DE.Controllers.Main.errorAccessDeny": "Você está tentando executar uma ação para a qual não tem direitos.
Entre em contato com o administrador de Servidor de Documentos.", - "DE.Controllers.Main.errorBadImageUrl": "URL de imagem está incorreta", - "DE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão ao servidor perdida. Você não pode mais editar.", - "DE.Controllers.Main.errorConnectToServer": "O documento não pode ser gravado. Verifique as configurações de conexão ou entre em contato com o administrador.
Quando você clicar no botão 'OK', você será solicitado a transferir o documento.", - "DE.Controllers.Main.errorDatabaseConnection": "Erro externo.
Erro de conexão do banco de dados. Entre em contato com o suporte.", - "DE.Controllers.Main.errorDataEncrypted": "Alteração criptografadas foram recebidas, e não podem ser decifradas.", - "DE.Controllers.Main.errorDataRange": "Intervalo de dados incorreto.", - "DE.Controllers.Main.errorDefaultMessage": "Código do Erro: %1", - "DE.Controllers.Main.errorEditingDownloadas": "Ocorreu um erro durante o trabalho com o documento.
Utilizar a opção 'Download' para salvar a cópia de backup do arquivo no disco rígido do seu computador.", - "DE.Controllers.Main.errorFilePassProtect": "O documento é protegido por senha e não pode ser aberto.", - "DE.Controllers.Main.errorFileSizeExceed": "O tamanho do arquivo excede o limite de seu servidor.
Por favor, contate seu administrador de Servidor de Documentos para detalhes.", - "DE.Controllers.Main.errorKeyEncrypt": "Descritor de chave desconhecido", - "DE.Controllers.Main.errorKeyExpire": "Descritor de chave expirado", - "DE.Controllers.Main.errorMailMergeLoadFile": "Carregamento falhou. Por favor, selecione um arquivo diferente.", - "DE.Controllers.Main.errorMailMergeSaveFile": "Mesclagem falhou.", - "DE.Controllers.Main.errorOpensource": "Usando a versão comunitária gratuita, você pode abrir documentos apenas para visualização. Para acessar editores web móveis, é necessária uma licença comercial.", - "DE.Controllers.Main.errorProcessSaveResult": "O salvamento falhou.", - "DE.Controllers.Main.errorServerVersion": "A versão do editor foi atualizada. A página será recarregada para aplicar as alterações.", - "DE.Controllers.Main.errorSessionAbsolute": "A sessão de edição de documentos expirou. Por favor, atualize a página.", - "DE.Controllers.Main.errorSessionIdle": "O documento ficou sem edição por muito tempo. Por favor, atualize a página.", - "DE.Controllers.Main.errorSessionToken": "A conexão com o servidor foi interrompida. Por favor atualize a página.", - "DE.Controllers.Main.errorStockChart": "Ordem da linha incorreta. Para criar um gráfico de ações coloque os dados na planilha na seguinte ordem:
preço de abertura, preço máx., preço mín., preço de fechamento.", - "DE.Controllers.Main.errorUpdateVersion": "A versão do arquivo foi alterada. A página será recarregada.", - "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "A conexão à internet foi restabelecida, e a versão do arquivo foi alterada.
Antes de continuar seu trabalho, transfira o arquivo ou copie seu conteúdo para assegurar que nada seja perdido, e então, recarregue esta página.", - "DE.Controllers.Main.errorUserDrop": "O arquivo não pode ser acessado agora.", - "DE.Controllers.Main.errorUsersExceed": "O número de usuários foi excedido", - "DE.Controllers.Main.errorViewerDisconnect": "Conexão perdida. Você ainda pode exibir o documento,
mas não poderá transferir o arquivo até que a conexão seja restaurada e a página recarregada.", - "DE.Controllers.Main.leavePageText": "Há alterações não gravadas neste documento. Clique em 'Ficar nesta Página' para aguardar o salvamento automático do documento. Clique em 'Sair desta página' para descartar as alterações não gravadas.", - "DE.Controllers.Main.loadFontsTextText": "Carregando dados...", - "DE.Controllers.Main.loadFontsTitleText": "Carregando dados", - "DE.Controllers.Main.loadFontTextText": "Carregando dados...", - "DE.Controllers.Main.loadFontTitleText": "Carregando dados", - "DE.Controllers.Main.loadImagesTextText": "Carregando imagens...", - "DE.Controllers.Main.loadImagesTitleText": "Carregando imagens", - "DE.Controllers.Main.loadImageTextText": "Carregando imagem...", - "DE.Controllers.Main.loadImageTitleText": "Carregando imagem", - "DE.Controllers.Main.loadingDocumentTextText": "Carregando documento...", - "DE.Controllers.Main.loadingDocumentTitleText": "Carregando documento", - "DE.Controllers.Main.mailMergeLoadFileText": "Carregando fonte de dados...", - "DE.Controllers.Main.mailMergeLoadFileTitle": "Carregando fonte de dados", - "DE.Controllers.Main.notcriticalErrorTitle": "Aviso", - "DE.Controllers.Main.openErrorText": "Ocorreu um erro ao abrir o arquivo", - "DE.Controllers.Main.openTextText": "Abrindo documento...", - "DE.Controllers.Main.openTitleText": "Abrindo documento", - "DE.Controllers.Main.printTextText": "Imprimindo documento...", - "DE.Controllers.Main.printTitleText": "Imprimindo documento", - "DE.Controllers.Main.saveErrorText": "Ocorreu um erro ao salvar o arquivo", - "DE.Controllers.Main.savePreparingText": "Preparando para gravar", - "DE.Controllers.Main.savePreparingTitle": "Preparando para gravar. Aguarde...", - "DE.Controllers.Main.saveTextText": "Salvando documento...", - "DE.Controllers.Main.saveTitleText": "Salvando documento", - "DE.Controllers.Main.scriptLoadError": "A conexão está muito lenta, e alguns dos componentes não puderam ser carregados. Por favor, recarregue a página.", - "DE.Controllers.Main.sendMergeText": "Enviando mesclar...", - "DE.Controllers.Main.sendMergeTitle": "Enviando Mesclar", - "DE.Controllers.Main.splitDividerErrorText": "O número de linhas deve ser um divisor de %1", - "DE.Controllers.Main.splitMaxColsErrorText": "O número de colunas deve ser inferior a %1", - "DE.Controllers.Main.splitMaxRowsErrorText": "O número de linhas deve ser inferior a %1", - "DE.Controllers.Main.textAnonymous": "Anônimo", - "DE.Controllers.Main.textBack": "Voltar", - "DE.Controllers.Main.textBuyNow": "Visitar site", - "DE.Controllers.Main.textCancel": "Cancelar", - "DE.Controllers.Main.textClose": "Encerrar", - "DE.Controllers.Main.textContactUs": "Contate as vendas", - "DE.Controllers.Main.textCustomLoader": "Por favor, observe que de acordo com os termos de licença, você não tem autorização para alterar o carregador.
Por favor, contate o Departamento de Vendas para fazer cotação.", - "DE.Controllers.Main.textDone": "Concluído", - "DE.Controllers.Main.textGuest": "Convidado", - "DE.Controllers.Main.textHasMacros": "O arquivo contém macros automáticas.
Você quer executar macros?", - "DE.Controllers.Main.textLoadingDocument": "Carregando documento", - "DE.Controllers.Main.textNo": "Não", - "DE.Controllers.Main.textNoLicenseTitle": "Limite de licença atingido", - "DE.Controllers.Main.textOK": "OK", - "DE.Controllers.Main.textPaidFeature": "Recurso pago", - "DE.Controllers.Main.textPassword": "Senha", - "DE.Controllers.Main.textPreloader": "Carregando...", - "DE.Controllers.Main.textRemember": "Lembre-se da minha escolha", - "DE.Controllers.Main.textTryUndoRedo": "As funções Desfazer/Refazer estão desabilitadas para o modo de coedição rápido", - "DE.Controllers.Main.textUsername": "Nome de usuário", - "DE.Controllers.Main.textYes": "Sim", - "DE.Controllers.Main.titleLicenseExp": "Licença expirada", - "DE.Controllers.Main.titleServerVersion": "Editor atualizado", - "DE.Controllers.Main.titleUpdateVersion": "Versão alterada", - "DE.Controllers.Main.txtAbove": "Acima", - "DE.Controllers.Main.txtArt": "Seu texto aqui", - "DE.Controllers.Main.txtBelow": "Abaixo", - "DE.Controllers.Main.txtCurrentDocument": "Documento atual", - "DE.Controllers.Main.txtDiagramTitle": "Título do Gráfico", - "DE.Controllers.Main.txtEditingMode": "Definir modo de edição...", - "DE.Controllers.Main.txtEvenPage": "Página par", - "DE.Controllers.Main.txtFirstPage": "Primeira Página", - "DE.Controllers.Main.txtFooter": "Rodapé", - "DE.Controllers.Main.txtHeader": "Cabeçalho", - "DE.Controllers.Main.txtOddPage": "Página ímpar", - "DE.Controllers.Main.txtOnPage": "na página", - "DE.Controllers.Main.txtProtected": "Ao abrir o arquivo com sua senha, a senha atual será redefinida.", - "DE.Controllers.Main.txtSameAsPrev": "Mesmo da Anterior", - "DE.Controllers.Main.txtSection": "-Seção", - "DE.Controllers.Main.txtSeries": "Série", - "DE.Controllers.Main.txtStyle_footnote_text": "Texto de nota de rodapé", - "DE.Controllers.Main.txtStyle_Heading_1": "Cabeçalho 1", - "DE.Controllers.Main.txtStyle_Heading_2": "Cabeçalho 2", - "DE.Controllers.Main.txtStyle_Heading_3": "Cabeçalho 3", - "DE.Controllers.Main.txtStyle_Heading_4": "Cabeçalho 4", - "DE.Controllers.Main.txtStyle_Heading_5": "Cabeçalho 5", - "DE.Controllers.Main.txtStyle_Heading_6": "Cabeçalho 6", - "DE.Controllers.Main.txtStyle_Heading_7": "Cabeçalho 7", - "DE.Controllers.Main.txtStyle_Heading_8": "Cabeçalho 8", - "DE.Controllers.Main.txtStyle_Heading_9": "Cabeçalho 9", - "DE.Controllers.Main.txtStyle_Intense_Quote": "Intense Quote", - "DE.Controllers.Main.txtStyle_List_Paragraph": "Listar parágrafo", - "DE.Controllers.Main.txtStyle_No_Spacing": "Sem espaçamento", - "DE.Controllers.Main.txtStyle_Normal": "Normal", - "DE.Controllers.Main.txtStyle_Quote": "Citar", - "DE.Controllers.Main.txtStyle_Subtitle": "Legenda", - "DE.Controllers.Main.txtStyle_Title": "Título", - "DE.Controllers.Main.txtXAxis": "Eixo X", - "DE.Controllers.Main.txtYAxis": "Eixo Y", - "DE.Controllers.Main.unknownErrorText": "Erro desconhecido.", - "DE.Controllers.Main.unsupportedBrowserErrorText": "Seu navegador não é suportado.", - "DE.Controllers.Main.uploadImageExtMessage": "Formato de imagem desconhecido.", - "DE.Controllers.Main.uploadImageFileCountMessage": "Sem imagens carregadas.", - "DE.Controllers.Main.uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido.", - "DE.Controllers.Main.uploadImageTextText": "Carregando imagem...", - "DE.Controllers.Main.uploadImageTitleText": "Carregando imagem", - "DE.Controllers.Main.waitText": "Aguarde...", - "DE.Controllers.Main.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.Main.warnLicenseExp": "Sua licença expirou.
Atualize sua licença e atualize a página.", - "DE.Controllers.Main.warnLicenseLimitedNoAccess": "A licença expirou.
Você não tem acesso à funcionalidade de edição de documentos.
Por favor, contate seu administrador.", - "DE.Controllers.Main.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.Main.warnLicenseUsersExceeded": "Você atingiu o limite de usuários para editores %1. Entre em contato com seu administrador para saber mais.", - "DE.Controllers.Main.warnNoLicense": "Você atingiu o limite de conexões simultâneas para editores %1. Este documento será aberto apenas para visualização.
Entre em contato com a equipe de vendas da %1 para obter os termos de atualização pessoais.", - "DE.Controllers.Main.warnNoLicenseUsers": "Você atingiu o limite de usuários para editores %1.
Entre em contato com a equipe de vendas da %1 para obter os termos de atualização pessoais.", - "DE.Controllers.Main.warnProcessRightsChange": "Foi negado a você o direito de editar o arquivo.", - "DE.Controllers.Search.textNoTextFound": "Texto não encontrado", - "DE.Controllers.Search.textReplaceAll": "Substituir tudo", - "DE.Controllers.Settings.notcriticalErrorTitle": "Aviso", - "DE.Controllers.Settings.textCustomSize": "Tamanho personalizado", - "DE.Controllers.Settings.txtLoading": "Carregando...", - "DE.Controllers.Settings.unknownText": "Desconhecido", - "DE.Controllers.Settings.warnDownloadAs": "Se você continuar salvando neste formato, todos os recursos, exceto o texto serão perdidos.
Tem certeza que deseja continuar?", - "DE.Controllers.Settings.warnDownloadAsRTF": "Se você gravar neste formato, algumas formatações podem ser perdidas.
Você tem certeza que deseja continuar?", - "DE.Controllers.Toolbar.dlgLeaveMsgText": "Há alterações não gravadas neste documento. Clique em 'Ficar nesta Página' para aguardar o salvamento automático do documento. Clique em 'Sair desta página' para descartar as alterações não gravadas.", - "DE.Controllers.Toolbar.dlgLeaveTitleText": "Você saiu do aplicativo", - "DE.Controllers.Toolbar.leaveButtonText": "Sair desta página", - "DE.Controllers.Toolbar.stayButtonText": "Ficar nesta página", - "DE.Views.AddImage.textAddress": "Endereço", - "DE.Views.AddImage.textBack": "Voltar", - "DE.Views.AddImage.textFromLibrary": "Imagem da biblioteca", - "DE.Views.AddImage.textFromURL": "Imagem da URL", - "DE.Views.AddImage.textImageURL": "imagem URL", - "DE.Views.AddImage.textInsertImage": "Inserir imagem", - "DE.Views.AddImage.textLinkSettings": "Configurações de link", - "DE.Views.AddOther.textAddComment": "Adicionar comentário", - "DE.Views.AddOther.textAddLink": "Adicionar Link", - "DE.Views.AddOther.textBack": "Voltar", - "DE.Views.AddOther.textBreak": "pausa", - "DE.Views.AddOther.textCenterBottom": "Centro Inferior", - "DE.Views.AddOther.textCenterTop": "Centro Superior", - "DE.Views.AddOther.textColumnBreak": "Quebra de Coluna", - "DE.Views.AddOther.textComment": "Comentário", - "DE.Views.AddOther.textContPage": "Página Contínua", - "DE.Views.AddOther.textCurrentPos": "Posição Atual", - "DE.Views.AddOther.textDisplay": "Exibir", - "DE.Views.AddOther.textDone": "Concluído", - "DE.Views.AddOther.textEvenPage": "Página par", - "DE.Views.AddOther.textFootnote": "Nota de rodapé", - "DE.Views.AddOther.textFormat": "Formatar", - "DE.Views.AddOther.textInsert": "Inserir", - "DE.Views.AddOther.textInsertFootnote": "Inserir nota de rodapé", - "DE.Views.AddOther.textLeftBottom": "Parte inferior esquerda", - "DE.Views.AddOther.textLeftTop": "Parte superior esquerda", - "DE.Views.AddOther.textLink": "Link", - "DE.Views.AddOther.textLocation": "Localização", - "DE.Views.AddOther.textNextPage": "Próxima página", - "DE.Views.AddOther.textOddPage": "Página ímpar", - "DE.Views.AddOther.textPageBreak": "Quebra de página", - "DE.Views.AddOther.textPageNumber": "Número da página", - "DE.Views.AddOther.textPosition": "Posição", - "DE.Views.AddOther.textRightBottom": "Parte inferior direita", - "DE.Views.AddOther.textRightTop": "Parte superior direita", - "DE.Views.AddOther.textSectionBreak": "Quebra de seção", - "DE.Views.AddOther.textStartFrom": "Começar em", - "DE.Views.AddOther.textTip": "Dica de tela", - "DE.Views.EditChart.textAddCustomColor": "Adicionar Cor Personalizada", - "DE.Views.EditChart.textAlign": "Alinhar", - "DE.Views.EditChart.textBack": "Voltar", - "DE.Views.EditChart.textBackward": "Mover para trás", - "DE.Views.EditChart.textBehind": "Atrás", - "DE.Views.EditChart.textBorder": "Atrás", - "DE.Views.EditChart.textColor": "Cor", - "DE.Views.EditChart.textCustomColor": "Cor personalizada", - "DE.Views.EditChart.textDistanceText": "Distância do Texto", - "DE.Views.EditChart.textFill": "Preencher", - "DE.Views.EditChart.textForward": "Mover para frente", - "DE.Views.EditChart.textInFront": "Em frente", - "DE.Views.EditChart.textInline": "Embutido", - "DE.Views.EditChart.textMoveText": "Mover com texto", - "DE.Views.EditChart.textOverlap": "Permitir Sobreposição", - "DE.Views.EditChart.textRemoveChart": "Remover gráfico", - "DE.Views.EditChart.textReorder": "Reordenar", - "DE.Views.EditChart.textSize": "Tamanho", - "DE.Views.EditChart.textSquare": "Quadrado", - "DE.Views.EditChart.textStyle": "Estilo", - "DE.Views.EditChart.textThrough": "Através", - "DE.Views.EditChart.textTight": "Justo", - "DE.Views.EditChart.textToBackground": "Enviar para plano de fundo", - "DE.Views.EditChart.textToForeground": "Trazer para primeiro plano", - "DE.Views.EditChart.textTopBottom": "Parte superior e inferior", - "DE.Views.EditChart.textType": "Tipo", - "DE.Views.EditChart.textWrap": "Encapsulamento", - "DE.Views.EditHeader.textDiffFirst": "Diferente na primeira página", - "DE.Views.EditHeader.textDiffOdd": "Páginas pares e ímpares diferentes", - "DE.Views.EditHeader.textFrom": "Começar em", - "DE.Views.EditHeader.textPageNumbering": "Numeração da página", - "DE.Views.EditHeader.textPrev": "Continuar da seção anterior", - "DE.Views.EditHeader.textSameAs": "Vincular a Anterior", - "DE.Views.EditHyperlink.textDisplay": "Exibir", - "DE.Views.EditHyperlink.textEdit": "Editar Link", - "DE.Views.EditHyperlink.textLink": "Link", - "DE.Views.EditHyperlink.textRemove": "Remover link", - "DE.Views.EditHyperlink.textTip": "Dica de tela", - "DE.Views.EditImage.textAddress": "Endereço", - "DE.Views.EditImage.textAlign": "Alinhar", - "DE.Views.EditImage.textBack": "Voltar", - "DE.Views.EditImage.textBackward": "Mover para trás", - "DE.Views.EditImage.textBehind": "Atrás", - "DE.Views.EditImage.textDefault": "Tamanho Real", - "DE.Views.EditImage.textDistanceText": "Distância do Texto", - "DE.Views.EditImage.textForward": "Mover para frente", - "DE.Views.EditImage.textFromLibrary": "Imagem da biblioteca", - "DE.Views.EditImage.textFromURL": "Imagem da URL", - "DE.Views.EditImage.textImageURL": "imagem URL", - "DE.Views.EditImage.textInFront": "Em frente", - "DE.Views.EditImage.textInline": "Embutido", - "DE.Views.EditImage.textLinkSettings": "Configurações de link", - "DE.Views.EditImage.textMoveText": "Mover com texto", - "DE.Views.EditImage.textOverlap": "Permitir sobreposição", - "DE.Views.EditImage.textRemove": "Remover imagem", - "DE.Views.EditImage.textReorder": "Reordenar", - "DE.Views.EditImage.textReplace": "Substituir", - "DE.Views.EditImage.textReplaceImg": "Substituir imagem", - "DE.Views.EditImage.textSquare": "Quadrado", - "DE.Views.EditImage.textThrough": "Através", - "DE.Views.EditImage.textTight": "Justo", - "DE.Views.EditImage.textToBackground": "Enviar para plano de fundo", - "DE.Views.EditImage.textToForeground": "Trazer para Primeiro Plano", - "DE.Views.EditImage.textTopBottom": "Parte superior e inferior", - "DE.Views.EditImage.textWrap": "Encapsulamento", - "DE.Views.EditParagraph.textAddCustomColor": "Adicionar Cor Personalizada", - "DE.Views.EditParagraph.textAdvanced": "Avançado", - "DE.Views.EditParagraph.textAdvSettings": "Configurações avançadas", - "DE.Views.EditParagraph.textAfter": "Depois", - "DE.Views.EditParagraph.textAuto": "Automático", - "DE.Views.EditParagraph.textBack": "Voltar", - "DE.Views.EditParagraph.textBackground": "Plano de fundo", - "DE.Views.EditParagraph.textBefore": "Antes", - "DE.Views.EditParagraph.textCustomColor": "Cor personalizada", - "DE.Views.EditParagraph.textFirstLine": "Primeira linha", - "DE.Views.EditParagraph.textFromText": "Distância do Texto", - "DE.Views.EditParagraph.textKeepLines": "Manter as linhas juntas", - "DE.Views.EditParagraph.textKeepNext": "Manter com o próximo", - "DE.Views.EditParagraph.textOrphan": "Controle de órfão", - "DE.Views.EditParagraph.textPageBreak": "Quebra de página antes", - "DE.Views.EditParagraph.textPrgStyles": "Estilos do parágrafo", - "DE.Views.EditParagraph.textSpaceBetween": "Espaço entre parágrafos", - "DE.Views.EditShape.textAddCustomColor": "Adicionar Cor Personalizada", - "DE.Views.EditShape.textAlign": "Alinhar", - "DE.Views.EditShape.textBack": "Voltar", - "DE.Views.EditShape.textBackward": "Mover para trás", - "DE.Views.EditShape.textBehind": "Atrás", - "DE.Views.EditShape.textBorder": "Limite", - "DE.Views.EditShape.textColor": "Cor", - "DE.Views.EditShape.textCustomColor": "Cor personalizada", - "DE.Views.EditShape.textEffects": "Efeitos", - "DE.Views.EditShape.textFill": "Preencher", - "DE.Views.EditShape.textForward": "Mover para frente", - "DE.Views.EditShape.textFromText": "Distância do Texto", - "DE.Views.EditShape.textInFront": "Em frente", - "DE.Views.EditShape.textInline": "Embutido", - "DE.Views.EditShape.textOpacity": "Opacidade", - "DE.Views.EditShape.textOverlap": "Permitir Sobreposição", - "DE.Views.EditShape.textRemoveShape": "Remover forma", - "DE.Views.EditShape.textReorder": "Reordenar", - "DE.Views.EditShape.textReplace": "Substituir", - "DE.Views.EditShape.textSize": "Tamanho", - "DE.Views.EditShape.textSquare": "Quadrado", - "DE.Views.EditShape.textStyle": "Estilo", - "DE.Views.EditShape.textThrough": "Através", - "DE.Views.EditShape.textTight": "Justo", - "DE.Views.EditShape.textToBackground": "Enviar para plano de fundo", - "DE.Views.EditShape.textToForeground": "Trazer para primeiro plano", - "DE.Views.EditShape.textTopAndBottom": "Parte superior e inferior", - "DE.Views.EditShape.textWithText": "Mover com texto", - "DE.Views.EditShape.textWrap": "Encapsulamento", - "DE.Views.EditTable.textAddCustomColor": "Adicionar Cor Personalizada", - "DE.Views.EditTable.textAlign": "Alinhar", - "DE.Views.EditTable.textBack": "Voltar", - "DE.Views.EditTable.textBandedColumn": "Unir Colunas", - "DE.Views.EditTable.textBandedRow": "Unir Faixas", - "DE.Views.EditTable.textBorder": "Limite", - "DE.Views.EditTable.textCellMargins": "Margens das células", - "DE.Views.EditTable.textColor": "Cor", - "DE.Views.EditTable.textCustomColor": "Cor personalizada", - "DE.Views.EditTable.textFill": "Preencher", - "DE.Views.EditTable.textFirstColumn": "Primeira Coluna", - "DE.Views.EditTable.textFlow": "Fluxo", - "DE.Views.EditTable.textFromText": "Distância do Texto", - "DE.Views.EditTable.textHeaderRow": "Linha de Cabeçalho", - "DE.Views.EditTable.textInline": "Embutido", - "DE.Views.EditTable.textLastColumn": "Última coluna", - "DE.Views.EditTable.textOptions": "Opções", - "DE.Views.EditTable.textRemoveTable": "Remover tabela", - "DE.Views.EditTable.textRepeatHeader": "Repetir como linha de cabeçalho", - "DE.Views.EditTable.textResizeFit": "Redimensionar para ajustar o conteúdo", - "DE.Views.EditTable.textSize": "Tamanho", - "DE.Views.EditTable.textStyle": "Estilo", - "DE.Views.EditTable.textStyleOptions": "Opções de estilo", - "DE.Views.EditTable.textTableOptions": "Opções de tabela", - "DE.Views.EditTable.textTotalRow": "Total de linhas", - "DE.Views.EditTable.textWithText": "Mover com texto", - "DE.Views.EditTable.textWrap": "Encapsulamento", - "DE.Views.EditText.textAddCustomColor": "Adicionar Cor Personalizada", - "DE.Views.EditText.textAdditional": "Adicional", - "DE.Views.EditText.textAdditionalFormat": "Formatação adicional", - "DE.Views.EditText.textAllCaps": "Todos os Caps", - "DE.Views.EditText.textAutomatic": "Automático", - "DE.Views.EditText.textBack": "Voltar", - "DE.Views.EditText.textBullets": "Marcadores", - "DE.Views.EditText.textCharacterBold": "B", - "DE.Views.EditText.textCharacterItalic": "I", - "DE.Views.EditText.textCharacterStrikethrough": "S", - "DE.Views.EditText.textCharacterUnderline": "U", - "DE.Views.EditText.textCustomColor": "Cor personalizada", - "DE.Views.EditText.textDblStrikethrough": "Duplo Tachado", - "DE.Views.EditText.textDblSuperscript": "Sobrescrito", - "DE.Views.EditText.textFontColor": "Cor da fonte", - "DE.Views.EditText.textFontColors": "Cor da Fonte", - "DE.Views.EditText.textFonts": "Fontes", - "DE.Views.EditText.textHighlightColor": "Cor de Destaque", - "DE.Views.EditText.textHighlightColors": "Cores de Destaque", - "DE.Views.EditText.textLetterSpacing": "Espaçamento de letra", - "DE.Views.EditText.textLineSpacing": "Espaçamento de linha", - "DE.Views.EditText.textNone": "Nenhum", - "DE.Views.EditText.textNumbers": "Números", - "DE.Views.EditText.textSize": "Tamanho", - "DE.Views.EditText.textSmallCaps": "Versalete", - "DE.Views.EditText.textStrikethrough": "Taxado", - "DE.Views.EditText.textSubscript": "Subscrito", - "DE.Views.Search.textCase": "Diferenciar maiúsculas de minúsculas", - "DE.Views.Search.textDone": "Concluído", - "DE.Views.Search.textFind": "Localizar", - "DE.Views.Search.textFindAndReplace": "Localizar e substituir", - "DE.Views.Search.textHighlight": "Destacar Resultados", - "DE.Views.Search.textReplace": "Substituir", - "DE.Views.Search.textSearch": "Pesquisar", - "DE.Views.Settings.textAbout": "Sobre", - "DE.Views.Settings.textAddress": "endereço", - "DE.Views.Settings.textAdvancedSettings": "Configurações de Aplicação", - "DE.Views.Settings.textApplication": "Aplicação", - "DE.Views.Settings.textAuthor": "Autor", - "DE.Views.Settings.textBack": "Voltar", - "DE.Views.Settings.textBottom": "Inferior", - "DE.Views.Settings.textCentimeter": "Centímetro", - "DE.Views.Settings.textCollaboration": "Colaboração", - "DE.Views.Settings.textColorSchemes": "Esquemas de cor", - "DE.Views.Settings.textComment": "Comentário", - "DE.Views.Settings.textCommentingDisplay": "Tela de comentários", - "DE.Views.Settings.textCreated": "Criado", - "DE.Views.Settings.textCreateDate": "Data de criação", - "DE.Views.Settings.textCustom": "Personalizar", - "DE.Views.Settings.textCustomSize": "Tamanho personalizado", - "DE.Views.Settings.textDisableAll": "Desabilitar tudo", - "DE.Views.Settings.textDisableAllMacrosWithNotification": "Desativar todas as macros com uma notificação", - "DE.Views.Settings.textDisableAllMacrosWithoutNotification": "Desativar todas as macros sem uma notificação", - "DE.Views.Settings.textDisplayComments": "Comentários", - "DE.Views.Settings.textDisplayResolvedComments": "Comentários Solucionados", - "DE.Views.Settings.textDocInfo": "Informações do Documento", - "DE.Views.Settings.textDocTitle": "Título do Documento", - "DE.Views.Settings.textDocumentFormats": "Formatos do Documento", - "DE.Views.Settings.textDocumentSettings": "Definições do Documento", - "DE.Views.Settings.textDone": "Concluído", - "DE.Views.Settings.textDownload": "Transferir", - "DE.Views.Settings.textDownloadAs": "Transferir como...", - "DE.Views.Settings.textEditDoc": "Editar Documento", - "DE.Views.Settings.textEmail": "e-mail", - "DE.Views.Settings.textEnableAll": "Habilitar todos", - "DE.Views.Settings.textEnableAllMacrosWithoutNotification": "Habilitar todas as macros sem uma notificação", - "DE.Views.Settings.textFind": "Localizar", - "DE.Views.Settings.textFindAndReplace": "Localizar e substituir", - "DE.Views.Settings.textFormat": "Formato", - "DE.Views.Settings.textHelp": "Ajuda", - "DE.Views.Settings.textHiddenTableBorders": "Ocultar bordas da tabela", - "DE.Views.Settings.textInch": "Polegada", - "DE.Views.Settings.textLandscape": "Paisagem", - "DE.Views.Settings.textLastModified": "Última modificação", - "DE.Views.Settings.textLastModifiedBy": "Última Modificação Por", - "DE.Views.Settings.textLeft": "Esquerda", - "DE.Views.Settings.textLoading": "Carregando...", - "DE.Views.Settings.textLocation": "Localização", - "DE.Views.Settings.textMacrosSettings": "Configurações de macros", - "DE.Views.Settings.textMargins": "Margens", - "DE.Views.Settings.textNoCharacters": "Caracteres não imprimíveis", - "DE.Views.Settings.textOrientation": "Orientação", - "DE.Views.Settings.textOwner": "Proprietário", - "DE.Views.Settings.textPages": "Páginas", - "DE.Views.Settings.textParagraphs": "Parágrafos", - "DE.Views.Settings.textPoint": "Ponto", - "DE.Views.Settings.textPortrait": "Retrato", - "DE.Views.Settings.textPoweredBy": "Desenvolvido por", - "DE.Views.Settings.textPrint": "Imprimir", - "DE.Views.Settings.textReader": "Modo de leitura", - "DE.Views.Settings.textReview": "Controlar alterações", - "DE.Views.Settings.textRight": "Direita", - "DE.Views.Settings.textSettings": "Configurações", - "DE.Views.Settings.textShowNotification": "Mostrar notificação", - "DE.Views.Settings.textSpaces": "Espaços", - "DE.Views.Settings.textSpellcheck": "Verificação ortográfica", - "DE.Views.Settings.textStatistic": "Estatística", - "DE.Views.Settings.textSubject": "Assunto", - "DE.Views.Settings.textSymbols": "Símbolos", - "DE.Views.Settings.textTel": "Tel.", - "DE.Views.Settings.textTitle": "Titulo", - "DE.Views.Settings.textTop": "Parte superior", - "DE.Views.Settings.textUnitOfMeasurement": "Unidade de medida", - "DE.Views.Settings.textUploaded": "Carregado", - "DE.Views.Settings.textVersion": "Versão", - "DE.Views.Settings.textWords": "Palavras", - "DE.Views.Settings.unknownText": "Desconhecido", - "DE.Views.Toolbar.textBack": "Voltar" + "Settings": { + "textAbout": "Sobre" + } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/ru.json b/apps/documenteditor/mobile/locale/ru.json index c23c75be0..a16cab60e 100644 --- a/apps/documenteditor/mobile/locale/ru.json +++ b/apps/documenteditor/mobile/locale/ru.json @@ -1,14 +1,517 @@ { - "ViewSettings": { + "About": { + "textAbout": "О программе", + "textAddress": "Адрес", + "textBack": "Назад", + "textEmail": "Еmail", + "textPoweredBy": "Разработано", + "textTel": "Телефон", + "textVersion": "Версия" + }, + "Add": { + "notcriticalErrorTitle": "Внимание", + "textAddLink": "Добавить ссылку", + "textAddress": "Адрес", + "textBack": "Назад", + "textBelowText": "Под текстом", + "textBottomOfPage": "Внизу страницы", + "textBreak": "Разрыв", + "textCancel": "Отмена", + "textCenterBottom": "Снизу по центру", + "textCenterTop": "Сверху по центру", + "textColumnBreak": "Разрыв колонки", + "textColumns": "Колонки", + "textComment": "Комментарий", + "textContinuousPage": "На текущей странице", + "textCurrentPosition": "Текущая позиция", + "textDisplay": "Отобразить", + "textEmptyImgUrl": "Необходимо указать URL рисунка.", + "textEvenPage": "С четной страницы", + "textFootnote": "Сноска", + "textFormat": "Формат", + "textImage": "Рисунок", + "textImageURL": "URL рисунка", + "textInsert": "Вставить", + "textInsertFootnote": "Вставить сноску", + "textInsertImage": "Вставить рисунок", + "textLeftBottom": "Слева снизу", + "textLeftTop": "Слева сверху", + "textLink": "Ссылка", + "textLinkSettings": "Настройки ссылки", + "textLocation": "Положение", + "textNextPage": "Со следующей страницы", + "textOddPage": "С нечетной страницы", + "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": "Внимание", + "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": "Изменение нумерации", + "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": "Запрет висячих строк" + }, + "ThemeColorPalette": { + "textCustomColors": "Пользовательские цвета", + "textStandartColors": "Стандартные цвета", + "textThemeColors": "Цвета темы" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "Операции копирования, вырезания и вставки с помощью контекстного меню будут выполняться только в текущем файле.", + "menuAddComment": "Добавить комментарий", + "menuAddLink": "Добавить ссылку", + "menuCancel": "Отмена", + "menuDelete": "Удалить", + "menuDeleteTable": "Удалить таблицу", + "menuEdit": "Редактировать", + "menuMerge": "Объединить", + "menuMore": "Ещё", + "menuOpenLink": "Перейти", + "menuReview": "Рецензирование", + "menuReviewChange": "Просмотр изменений", + "menuSplit": "Разделить", + "menuViewComment": "Просмотреть комментарий", + "textColumns": "Столбцы", + "textCopyCutPasteActions": "Операции копирования, вырезания и вставки", + "textDoNotShowAgain": "Больше не показывать", + "textRows": "Строки" + }, + "Edit": { + "notcriticalErrorTitle": "Внимание", + "textActualSize": "Реальный размер", + "textAddCustomColor": "Добавить пользовательский цвет", + "textAdditional": "Дополнительно", + "textAdditionalFormatting": "Дополнительно", + "textAddress": "Адрес", + "textAdvanced": "Дополнительно", + "textAdvancedSettings": "Дополнительно", + "textAfter": "После", + "textAlign": "Выравнивание", + "textAllCaps": "Все прописные", + "textAllowOverlap": "Разрешить перекрытие", + "textAuto": "Авто", + "textAutomatic": "Автоматический", + "textBack": "Назад", + "textBackground": "Фон", + "textBandedColumn": "Чередовать столбцы", + "textBandedRow": "Чередовать строки", + "textBefore": "Перед", + "textBehind": "За текстом", + "textBorder": "Граница", + "textBringToForeground": "Перенести на передний план", + "textBulletsAndNumbers": "Маркеры и нумерация", + "textCellMargins": "Поля ячейки", + "textChart": "Диаграмма", + "textClose": "Закрыть", + "textColor": "Цвет", + "textContinueFromPreviousSection": "Продолжить", + "textCustomColor": "Пользовательский цвет", + "textDifferentFirstPage": "Особый для первой страницы", + "textDifferentOddAndEvenPages": "Разные для четных и нечетных", + "textDisplay": "Отобразить", + "textDistanceFromText": "Расстояние до текста", + "textDoubleStrikethrough": "Двойное зачеркивание", + "textEditLink": "Редактировать ссылку", + "textEffects": "Эффекты", + "textEmptyImgUrl": "Необходимо указать URL рисунка.", + "textFill": "Заливка", + "textFirstColumn": "Первый столбец", + "textFirstLine": "Первая строка", + "textFlow": "Плавающая", + "textFontColor": "Цвет шрифта", + "textFontColors": "Цвета шрифта", + "textFonts": "Шрифты", + "textFooter": "Колонтитул", + "textHeader": "Колонтитул", + "textHeaderRow": "Строка заголовка", + "textHighlightColor": "Цвет выделения", + "textHyperlink": "Ссылка", + "textImage": "Рисунок", + "textImageURL": "URL рисунка", + "textInFront": "Перед текстом", + "textInline": "В тексте", + "textKeepLinesTogether": "Не разрывать абзац", + "textKeepWithNext": "Не отрывать от следующего", + "textLastColumn": "Последний столбец", + "textLetterSpacing": "Интервал", + "textLineSpacing": "Междустрочный интервал", + "textLink": "Ссылка", + "textLinkSettings": "Настройки ссылки", + "textLinkToPrevious": "Связать с предыдущим", + "textMoveBackward": "Перенести назад", + "textMoveForward": "Перенести вперед", + "textMoveWithText": "Перемещать с текстом", + "textNone": "Нет", + "textNoStyles": "Для этого типа диаграмм нет стилей.", + "textNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"", + "textOpacity": "Прозрачность", + "textOptions": "Параметры", + "textOrphanControl": "Запрет висячих строк", + "textPageBreakBefore": "С новой страницы", + "textPageNumbering": "Нумерация страниц", + "textParagraph": "Абзац", + "textParagraphStyles": "Стили абзаца", + "textPictureFromLibrary": "Рисунок из библиотеки", + "textPictureFromURL": "Рисунок по URL", + "textPt": "пт", + "textRemoveChart": "Удалить диаграмму", + "textRemoveImage": "Удалить рисунок", + "textRemoveLink": "Удалить ссылку", + "textRemoveShape": "Удалить фигуру", + "textRemoveTable": "Удалить таблицу", + "textReorder": "Порядок", + "textRepeatAsHeaderRow": "Повторять как заголовок", + "textReplace": "Заменить", + "textReplaceImage": "Заменить рисунок", + "textResizeToFitContent": "По размеру содержимого", + "textScreenTip": "Подсказка", + "textSelectObjectToEdit": "Выберите объект для редактирования", + "textSendToBackground": "Перенести на задний план", "textSettings": "Настройки", - "textDone": "Закрыть", - "textFindAndReplace": "Найти и заменить", - "textDocumentSettings": "Настройки документа", + "textShape": "Фигура", + "textSize": "Размер", + "textSmallCaps": "Малые прописные", + "textSpaceBetweenParagraphs": "Интервал между абзацами", + "textSquare": "Вокруг рамки", + "textStartAt": "Начать с", + "textStrikethrough": "Зачёркивание", + "textStyle": "Стиль", + "textStyleOptions": "Настройки стиля", + "textSubscript": "Подстрочные", + "textSuperscript": "Надстрочные", + "textTable": "Таблица", + "textTableOptions": "Настройки таблицы", + "textText": "Текст", + "textThrough": "Сквозное", + "textTight": "По контуру", + "textTopAndBottom": "Сверху и снизу", + "textTotalRow": "Строка итогов", + "textType": "Тип", + "textWrap": "Стиль обтекания" + }, + "Error": { + "convertationTimeoutText": "Превышено время ожидания конвертации.", + "criticalErrorExtText": "Нажмите 'OK' для возврата к списку документов.", + "criticalErrorTitle": "Ошибка", + "downloadErrorText": "Загрузка не удалась.", + "errorAccessDeny": "Вы пытаетесь выполнить действие, на которое у вас нет прав.
Пожалуйста, обратитесь к администратору.", + "errorBadImageUrl": "Неправильный URL-адрес рисунка", + "errorConnectToServer": "Не удается сохранить документ. Проверьте параметры подключения или обратитесь к вашему администратору.
Когда вы нажмете на кнопку 'OK', вам будет предложено скачать документ.", + "errorDatabaseConnection": "Внешняя ошибка.
Ошибка подключения к базе данных. Пожалуйста, обратитесь в службу технической поддержки.", + "errorDataEncrypted": "Получены зашифрованные изменения, их нельзя расшифровать.", + "errorDataRange": "Некорректный диапазон данных.", + "errorDefaultMessage": "Код ошибки: %1", + "errorEditingDownloadas": "В ходе работы с документом произошла ошибка.
Скачайте документ, чтобы сохранить резервную копию файла локально.", + "errorFilePassProtect": "Файл защищен паролем и не может быть открыт.", + "errorFileSizeExceed": "Размер файла превышает ограничение, установленное для вашего сервера.
Пожалуйста, обратитесь к администратору.", + "errorKeyEncrypt": "Неизвестный дескриптор ключа", + "errorKeyExpire": "Срок действия дескриптора ключа истек", + "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": "Загрузка данных...", + "applyChangesTitleText": "Загрузка данных", + "downloadMergeText": "Загрузка...", + "downloadMergeTitle": "Загрузка", + "downloadTextText": "Загрузка документа...", + "downloadTitleText": "Загрузка документа", + "loadFontsTextText": "Загрузка данных...", + "loadFontsTitleText": "Загрузка данных", + "loadFontTextText": "Загрузка данных...", + "loadFontTitleText": "Загрузка данных", + "loadImagesTextText": "Загрузка рисунков...", + "loadImagesTitleText": "Загрузка рисунков", + "loadImageTextText": "Загрузка рисунка...", + "loadImageTitleText": "Загрузка рисунка", + "loadingDocumentTextText": "Загрузка документа...", + "loadingDocumentTitleText": "Загрузка документа", + "mailMergeLoadFileText": "Загрузка источника данных...", + "mailMergeLoadFileTitle": "Загрузка источника данных", + "openTextText": "Открытие документа...", + "openTitleText": "Открытие документа", + "printTextText": "Печать документа...", + "printTitleText": "Печать документа", + "savePreparingText": "Подготовка к сохранению", + "savePreparingTitle": "Подготовка к сохранению. Пожалуйста, подождите...", + "saveTextText": "Сохранение документа...", + "saveTitleText": "Сохранение документа", + "sendMergeText": "Отправка результатов слияния...", + "sendMergeTitle": "Отправка результатов слияния", + "textLoadingDocument": "Загрузка документа", + "txtEditingMode": "Установка режима редактирования...", + "uploadImageTextText": "Загрузка рисунка...", + "uploadImageTitleText": "Загрузка рисунка", + "waitText": "Пожалуйста, подождите..." + }, + "Main": { + "criticalErrorTitle": "Ошибка", + "errorAccessDeny": "Вы пытаетесь выполнить действие, на которое у вас нет прав.
Пожалуйста, обратитесь к администратору.", + "errorOpensource": "Используя бесплатную версию Community, вы можете открывать документы только на просмотр. Для доступа к мобильным веб-редакторам требуется коммерческая лицензия.", + "errorProcessSaveResult": "Сбой при сохранении.", + "errorServerVersion": "Версия редактора была обновлена. Страница будет перезагружена, чтобы применить изменения.", + "errorUpdateVersion": "Версия файла была изменена. Страница будет перезагружена.", + "leavePageText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.", + "notcriticalErrorTitle": "Внимание", + "SDK": { + "Diagram Title": "Заголовок диаграммы", + "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", + "Intense Quote": "Выделенная цитата", + "List Paragraph": "Абзац списка", + "No Spacing": "Без интервала", + "Normal": "Обычный", + "Quote": "Цитата", + "Series": "Ряд", + "Subtitle": "Подзаголовок", + "Title": "Название", + "X Axis": "Ось X (XAS)", + "Y Axis": "Ось Y", + "Your text here": "Введите ваш текст" + }, + "textAnonymous": "Анонимный пользователь", + "textBuyNow": "Перейти на сайт", + "textClose": "Закрыть", + "textContactUs": "Отдел продаж", + "textCustomLoader": "К сожалению, у вас нет прав изменять экран, отображаемый при загрузке. Обратитесь в наш отдел продаж, чтобы сделать запрос.", + "textGuest": "Гость", + "textHasMacros": "Файл содержит автозапускаемые макросы.
Хотите запустить макросы?", + "textNo": "Нет", + "textNoLicenseTitle": "Лицензионное ограничение", + "textPaidFeature": "Платная функция", + "textRemember": "Запомнить мой выбор", + "textYes": "Да", + "titleLicenseExp": "Истек срок действия лицензии", + "titleServerVersion": "Редактор обновлен", + "titleUpdateVersion": "Версия изменилась", + "warnLicenseExceeded": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт только на просмотр. Свяжитесь с администратором, чтобы узнать больше.", + "warnLicenseExp": "Истек срок действия лицензии. Обновите лицензию, а затем обновите страницу.", + "warnLicenseLimitedNoAccess": "Истек срок действия лицензии. Нет доступа к функциональности редактирования документов. Пожалуйста, обратитесь к администратору.", + "warnLicenseLimitedRenewed": "Необходимо обновить лицензию. У вас ограниченный доступ к функциональности редактирования документов.
Пожалуйста, обратитесь к администратору, чтобы получить полный доступ", + "warnLicenseUsersExceeded": "Вы достигли лимита на количество пользователей редакторов %1. Свяжитесь с администратором, чтобы узнать больше.", + "warnNoLicense": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт на просмотр. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", + "warnNoLicenseUsers": "Вы достигли лимита на количество пользователей редакторов %1. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", + "warnProcessRightsChange": "У вас нет прав на редактирование этого файла." + }, + "Settings": { + "advDRMOptions": "Защищенный файл", + "advDRMPassword": "Пароль", + "advTxtOptions": "Выбрать параметры текстового файла", + "closeButtonText": "Закрыть файл", + "notcriticalErrorTitle": "Внимание", + "textAbout": "О программе", + "textApplication": "Приложение", "textApplicationSettings": "Настройки приложения", - "textDownload": "Скачать", - "textPrint": "Печать", + "textAuthor": "Автор", + "textBack": "Назад", + "textBottom": "Нижнее", + "textCancel": "Отмена", + "textCaseSensitive": "С учетом регистра", + "textCentimeter": "Сантиметр", + "textCollaboration": "Совместная работа", + "textColorSchemes": "Цветовые схемы", + "textComment": "Комментарий", + "textComments": "Комментарии", + "textCommentsDisplay": "Отображение комментариев", + "textCreated": "Создан", + "textCustomSize": "Особый размер", + "textDisableAll": "Отключить все", + "textDisableAllMacrosWithNotification": "Отключить все макросы с уведомлением", + "textDisableAllMacrosWithoutNotification": "Отключить все макросы без уведомления", "textDocumentInfo": "Информация о документе", - "textHelp": "Помощь", - "textAbout": "О программе" + "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": "Текст не найден", + "textOpenFile": "Введите пароль для открытия файла", + "textOrientation": "Ориентация", + "textOwner": "Владелец", + "textPoint": "Пункт", + "textPortrait": "Книжная", + "textPrint": "Печать", + "textReaderMode": "Режим чтения", + "textReplace": "Заменить", + "textReplaceAll": "Заменить все", + "textResolvedComments": "Решенные комментарии", + "textRight": "Правое", + "textSearch": "Поиск", + "textSettings": "Настройки", + "textShowNotification": "Показывать уведомление", + "textSpellcheck": "Проверка орфографии", + "textStatistic": "Статистика", + "textSubject": "Тема", + "textTitle": "Название", + "textTop": "Верхнее", + "textUnitOfMeasurement": "Единица измерения", + "textUploaded": "Загружен", + "txtIncorrectPwd": "Неверный пароль", + "txtProtected": "Как только вы введете пароль и откроете файл, текущий пароль к файлу будет сброшен" + }, + "Toolbar": { + "dlgLeaveMsgText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.", + "dlgLeaveTitleText": "Вы выходите из приложения", + "leaveButtonText": "Уйти со страницы", + "stayButtonText": "Остаться на странице" } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/tr.json b/apps/documenteditor/mobile/locale/tr.json index b95c4a9b7..155dd8810 100644 --- a/apps/documenteditor/mobile/locale/tr.json +++ b/apps/documenteditor/mobile/locale/tr.json @@ -1,529 +1,36 @@ { - "Common.Controllers.Collaboration.textAddReply": "Cevap ekle", - "Common.Controllers.Collaboration.textAtLeast": "en az", - "Common.Controllers.Collaboration.textAuto": "oto", - "Common.Controllers.Collaboration.textBaseline": "Kenar çizgisi", - "Common.Controllers.Collaboration.textBold": "Kalın", - "Common.Controllers.Collaboration.textBreakBefore": "Öncesinde sayfa sonu", - "Common.Controllers.Collaboration.textCancel": "İptal Et", - "Common.Controllers.Collaboration.textCaps": "Büyük harf", - "Common.Controllers.Collaboration.textCenter": "Ortala", - "Common.Controllers.Collaboration.textChart": "Grafik", - "Common.Controllers.Collaboration.textColor": "Yazı Tipi Rengi", - "Common.Controllers.Collaboration.textContextual": "Aynı stildeki paragraflar arasına aralık eklemeyin", - "Common.Controllers.Collaboration.textDelete": "Sil", - "Common.Controllers.Collaboration.textDeleteComment": "Yorumu sil", - "Common.Controllers.Collaboration.textDeleted": "Silinen:", - "Common.Controllers.Collaboration.textDeleteReply": "Cevabı sil", - "Common.Controllers.Collaboration.textDone": "Tamamlandı", - "Common.Controllers.Collaboration.textDStrikeout": "Üzeri çift çizili", - "Common.Controllers.Collaboration.textEdit": "Düzenle", - "Common.Controllers.Collaboration.textEquation": "Denklem", - "Common.Controllers.Collaboration.textExact": "kesinlikle", - "Common.Controllers.Collaboration.textFirstLine": "İlk satır", - "Common.Controllers.Collaboration.textFormatted": "Biçimlendirildi", - "Common.Controllers.Collaboration.textHighlight": "Vurgu Rengi", - "Common.Controllers.Collaboration.textImage": "Resim", - "Common.Controllers.Collaboration.textIndentLeft": "Sola Girinti", - "Common.Controllers.Collaboration.textIndentRight": "Sağdan girinti", - "Common.Controllers.Collaboration.textInserted": "Eklenen:", - "Common.Controllers.Collaboration.textItalic": "İtalik", - "Common.Controllers.Collaboration.textJustify": "Yasla", - "Common.Controllers.Collaboration.textKeepLines": "Satırları birlikte tut", - "Common.Controllers.Collaboration.textKeepNext": "Sonrakiyle tut", - "Common.Controllers.Collaboration.textLeft": "Sola hizala", - "Common.Controllers.Collaboration.textLineSpacing": "Satır Aralığı:", - "Common.Controllers.Collaboration.textMessageDeleteComment": "Yorumu silmek istediğinize emin misiniz?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "Bu cevabı silmek istediğinize emin misiniz?", - "Common.Controllers.Collaboration.textMultiple": "çoklu", - "Common.Controllers.Collaboration.textNoBreakBefore": "Öncesinde sayfa sonu yok", - "Common.Controllers.Collaboration.textNoContextual": "Aynı stildeki paragraflar arasına aralık ekle", - "Common.Controllers.Collaboration.textNoKeepLines": "Satırları bir arada tutma", - "Common.Controllers.Collaboration.textNoKeepNext": "Sonraki ile birlikte tutma", - "Common.Controllers.Collaboration.textNot": "Not ", - "Common.Controllers.Collaboration.textNoWidow": "Pencere kontrolü yok", - "Common.Controllers.Collaboration.textNum": "Numaralandırmayı değiştir", - "Common.Controllers.Collaboration.textParaDeleted": "Paragraf Silindi", - "Common.Controllers.Collaboration.textParaFormatted": "Paragraf Formatlandı", - "Common.Controllers.Collaboration.textParaInserted": "Paragraf Eklendi", - "Common.Controllers.Collaboration.textParaMoveFromDown": "Aşağı Taşınan:", - "Common.Controllers.Collaboration.textParaMoveFromUp": "Yukarı Taşınan:", - "Common.Controllers.Collaboration.textParaMoveTo": "Taşınan:", - "Common.Controllers.Collaboration.textRight": "Sağa Hizala", - "Common.Controllers.Collaboration.textShd": "Arka plan", - "Common.Controllers.Collaboration.textTableChanged": "Tablo Ayarladı Değiştirildi", - "Common.Controllers.Collaboration.textTableRowsAdd": "Tablo Satırı Eklendi", - "Common.Controllers.Collaboration.textTableRowsDel": "Tablo Satırı Silindi", - "Common.Controllers.Collaboration.textTabs": "Sekmeleri değiştir", - "Common.UI.ThemeColorPalette.textCustomColors": "Özel Renkler", - "Common.UI.ThemeColorPalette.textStandartColors": "Standart Renkler", - "Common.UI.ThemeColorPalette.textThemeColors": "Tema Renkleri", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAccept": "Kabul Et", - "Common.Views.Collaboration.textAcceptAllChanges": "Tüm Değişikliği Onayla", - "Common.Views.Collaboration.textAddReply": "Cevapla", - "Common.Views.Collaboration.textAllChangesAcceptedPreview": "Tüm değişiklikler onaylandı (Önizleme)", - "Common.Views.Collaboration.textAllChangesEditing": "Tüm değişiklikler (Düzenleme)", - "Common.Views.Collaboration.textAllChangesRejectedPreview": "Tüm değişiklikler reddedildi (Önizleme)", - "Common.Views.Collaboration.textBack": "Geri", - "Common.Views.Collaboration.textCancel": "İptal Et", - "Common.Views.Collaboration.textCollaboration": "Beraber Çalış", - "Common.Views.Collaboration.textDisplayMode": "Görüntü Modu", - "Common.Views.Collaboration.textDone": "Tamamlandı", - "Common.Views.Collaboration.textEditReply": "Cevabı Düzenle", - "Common.Views.Collaboration.textEditСomment": "Yorumu düzenle", - "Common.Views.Collaboration.textFinal": "Son", - "Common.Views.Collaboration.textMarkup": "İşaretleme", - "Common.Views.Collaboration.textOriginal": "Orjinal", - "DE.Controllers.AddContainer.textImage": "Resim", - "DE.Controllers.AddContainer.textOther": "Diğer", - "DE.Controllers.AddContainer.textShape": "Şekil", - "DE.Controllers.AddContainer.textTable": "Tablo", - "DE.Controllers.AddImage.textEmptyImgUrl": "Resim URL'si belirtmelisiniz.", - "DE.Controllers.AddImage.txtNotUrl": "Bu alan 'http://www.example.com' formatında bir URL olmalıdır", - "DE.Controllers.AddOther.textBelowText": "Alt Metin", - "DE.Controllers.AddOther.textBottomOfPage": "Sayfa Sonu", - "DE.Controllers.AddOther.textCancel": "İptal Et", - "DE.Controllers.AddOther.textContinue": "Devam et", - "DE.Controllers.AddOther.textDelete": "Sil", - "DE.Controllers.AddOther.textDeleteDraft": "Taslağı silmek istediğinize emin misiniz?", - "DE.Controllers.AddOther.txtNotUrl": "Bu alan 'http://www.example.com' formatında bir URL olmalıdır", - "DE.Controllers.AddTable.textCancel": "İptal", - "DE.Controllers.AddTable.textColumns": "Sütunlar", - "DE.Controllers.AddTable.textRows": "Satırlar", - "DE.Controllers.AddTable.textTableSize": "Tablo Boyutu", - "DE.Controllers.DocumentHolder.errorCopyCutPaste": "Bağlam menüsünden yapılan kes, kopyala ve yapıştır işlemleri sadece geçerli dosya için yapılabilir.", - "DE.Controllers.DocumentHolder.menuAddComment": "Yorum Ekle", - "DE.Controllers.DocumentHolder.menuAddLink": "Link Ekle", - "DE.Controllers.DocumentHolder.menuCopy": "Kopyala", - "DE.Controllers.DocumentHolder.menuCut": "Kes", - "DE.Controllers.DocumentHolder.menuDelete": "Sil", - "DE.Controllers.DocumentHolder.menuDeleteTable": "Tabloyu Sil", - "DE.Controllers.DocumentHolder.menuEdit": "Düzenle", - "DE.Controllers.DocumentHolder.menuMerge": "Hücreleri birleştir", - "DE.Controllers.DocumentHolder.menuMore": "Daha fazla", - "DE.Controllers.DocumentHolder.menuOpenLink": "Linki Aç", - "DE.Controllers.DocumentHolder.menuPaste": "Yapıştır", - "DE.Controllers.DocumentHolder.sheetCancel": "İptal", - "DE.Controllers.DocumentHolder.textCancel": "İptal Et", - "DE.Controllers.DocumentHolder.textColumns": "Kolonlar", - "DE.Controllers.DocumentHolder.textCopyCutPasteActions": "Kes, Kopyala ve Yapıştır Aksiyonları", - "DE.Controllers.DocumentHolder.textDoNotShowAgain": "Bir daha gösterme", - "DE.Controllers.DocumentHolder.textGuest": "Ziyaretçi", - "DE.Controllers.EditContainer.textChart": "Grafik", - "DE.Controllers.EditContainer.textFooter": "Altbilgi", - "DE.Controllers.EditContainer.textHeader": "Başlık", - "DE.Controllers.EditContainer.textHyperlink": "Hiper bağ", - "DE.Controllers.EditContainer.textImage": "Resim", - "DE.Controllers.EditContainer.textParagraph": "Paragraf", - "DE.Controllers.EditContainer.textSettings": "Ayarlar", - "DE.Controllers.EditContainer.textShape": "Şekil", - "DE.Controllers.EditContainer.textTable": "Tablo", - "DE.Controllers.EditContainer.textText": "Metin", - "DE.Controllers.EditImage.textEmptyImgUrl": "Resim URL'si belirtmelisiniz.", - "DE.Controllers.EditImage.txtNotUrl": "Bu alan 'http://www.example.com' formatında bir URL olmalıdır", - "DE.Controllers.EditText.textAuto": "Otomatik", - "DE.Controllers.EditText.textFonts": "Yazı Tipleri", - "DE.Controllers.EditText.textPt": "pt", - "DE.Controllers.Main.advDRMEnterPassword": "Şifrenizi girin:", - "DE.Controllers.Main.advDRMOptions": "Korumalı Dosya", - "DE.Controllers.Main.advDRMPassword": "Şifre", - "DE.Controllers.Main.advTxtOptions": "TXT Seçeneklerini Belirle", - "DE.Controllers.Main.applyChangesTextText": "Veri yükleniyor...", - "DE.Controllers.Main.applyChangesTitleText": "Veri yükleniyor", - "DE.Controllers.Main.closeButtonText": "Dosyayı Kapat", - "DE.Controllers.Main.convertationTimeoutText": "Değişim süresi aşıldı.", - "DE.Controllers.Main.criticalErrorExtText": "Belge listesine dönmek için 'TAMAM' tuşuna tıklayın.", - "DE.Controllers.Main.criticalErrorTitle": "Hata", - "DE.Controllers.Main.downloadErrorText": "İndirme başarısız oldu.", - "DE.Controllers.Main.downloadMergeText": "İndiriliyor...", - "DE.Controllers.Main.downloadMergeTitle": "İndiriliyor", - "DE.Controllers.Main.downloadTextText": "Belge indiriliyor...", - "DE.Controllers.Main.downloadTitleText": "Belge indiriliyor", - "DE.Controllers.Main.errorBadImageUrl": "Resim URL'si yanlış", - "DE.Controllers.Main.errorCoAuthoringDisconnect": "Sunucu bağlantısı kayboldu. Artık düzenleyemezsiniz.", - "DE.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.", - "DE.Controllers.Main.errorDatabaseConnection": "Dışsal hata.
Veritabanı bağlantı hatası. Lütfen destek ile iletişime geçin.", - "DE.Controllers.Main.errorDataEncrypted": "Şifreli değişiklikler algılandı, çözülemiyor.", - "DE.Controllers.Main.errorDataRange": "Yanlış veri aralığı.", - "DE.Controllers.Main.errorDefaultMessage": "Hata kodu: %1", - "DE.Controllers.Main.errorEditingDownloadas": "Dökümanın çalışması sırasında bir hata oluştu.
'İndirme' seçeneğini kullanıp bilgisayarınıza yedek alınız.", - "DE.Controllers.Main.errorFilePassProtect": "Belge şifre korumalı.", - "DE.Controllers.Main.errorKeyEncrypt": "Bilinmeyen anahtar tanımlayıcı", - "DE.Controllers.Main.errorKeyExpire": "Anahtar tanımlayıcının süresi doldu", - "DE.Controllers.Main.errorMailMergeLoadFile": "Yükleme başarısız", - "DE.Controllers.Main.errorMailMergeSaveFile": "Birleştirme başarısız", - "DE.Controllers.Main.errorProcessSaveResult": "Kaydetme başarısız.", - "DE.Controllers.Main.errorServerVersion": "Editör versiyonu güncellendi. Sayfa yenilenerek değişiklikler uygulanacaktır.", - "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.errorUpdateVersion": "Dosya versiyonu değiştirildi. Sayfa yenilenecektir.", - "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "İnternet bağlantısı tekrar sağlandı, ve dosya versiyon değişti.
Çalışmanıza devam etmeden önce, veri kaybını önlemeniz için dosyasının bir kopyasını indirmeniz ya da dosya içeriğini kopyalamanız ve sonrasında sayfayı yenilemeniz gerekmektedir.", - "DE.Controllers.Main.errorUserDrop": "Belgeye şu an erişilemiyor.", - "DE.Controllers.Main.errorUsersExceed": "Kullanıcı sayısı aşıldı", - "DE.Controllers.Main.errorViewerDisconnect": "Bağlantı kaybedildi. Yine belgeyi görüntüleyebilirsiniz,
bağlantı geri gelmeden önce indirme işlemi yapılamayacak.", - "DE.Controllers.Main.leavePageText": "Bu belgede kaydedilmemiş değişiklikleriniz var. 'Sayfada Kal' tuşuna tıklayarak otomatik kaydetmeyi bekleyebilirsiniz. 'Sayfadan Ayrıl' tuşuna tıklarsanız kaydedilmemiş tüm değişiklikler silinecektir.", - "DE.Controllers.Main.loadFontsTextText": "Veri yükleniyor...", - "DE.Controllers.Main.loadFontsTitleText": "Veri yükleniyor", - "DE.Controllers.Main.loadFontTextText": "Veri yükleniyor...", - "DE.Controllers.Main.loadFontTitleText": "Veri yükleniyor", - "DE.Controllers.Main.loadImagesTextText": "Resimler yükleniyor...", - "DE.Controllers.Main.loadImagesTitleText": "Resimler yükleniyor", - "DE.Controllers.Main.loadImageTextText": "Resim yükleniyor...", - "DE.Controllers.Main.loadImageTitleText": "Resim yükleniyor", - "DE.Controllers.Main.loadingDocumentTextText": "Belge yükleniyor...", - "DE.Controllers.Main.loadingDocumentTitleText": "Belge yükleniyor", - "DE.Controllers.Main.mailMergeLoadFileText": "Veri Kaynağı Yükleniyor...", - "DE.Controllers.Main.mailMergeLoadFileTitle": "Veri Kaynağı Yükleniyor", - "DE.Controllers.Main.notcriticalErrorTitle": "Uyarı", - "DE.Controllers.Main.openErrorText": "Dosya açılırken bir hata oluştu", - "DE.Controllers.Main.openTextText": "Belge açılıyor...", - "DE.Controllers.Main.openTitleText": "Belge Açılıyor", - "DE.Controllers.Main.printTextText": "Belge yazdırılıyor...", - "DE.Controllers.Main.printTitleText": "Belge Yazdırılıyor", - "DE.Controllers.Main.saveErrorText": "Dosya kaydedilirken bir hata oluştu", - "DE.Controllers.Main.savePreparingText": "Kaydetmeye hazırlanıyor", - "DE.Controllers.Main.savePreparingTitle": "Kaydetmeye hazırlanıyor. Lütfen bekleyin...", - "DE.Controllers.Main.saveTextText": "Belge kaydediliyor...", - "DE.Controllers.Main.saveTitleText": "Belge Kaydediliyor", - "DE.Controllers.Main.sendMergeText": "Birleştirme Gönderiliyor...", - "DE.Controllers.Main.sendMergeTitle": "Birleştirme Gönderiliyor", - "DE.Controllers.Main.splitDividerErrorText": "Satır sayısı %1 bölmelidir", - "DE.Controllers.Main.splitMaxColsErrorText": "Sütun sayısı %1 geçmemelidir", - "DE.Controllers.Main.splitMaxRowsErrorText": "Satır sayısı %1 geçmemelidir", - "DE.Controllers.Main.textAnonymous": "Anonim", - "DE.Controllers.Main.textBack": "Geri", - "DE.Controllers.Main.textBuyNow": "Websitesini ziyaret edin", - "DE.Controllers.Main.textCancel": "İptal", - "DE.Controllers.Main.textClose": "Kapat", - "DE.Controllers.Main.textContactUs": "Satış departmanı", - "DE.Controllers.Main.textDone": "Bitti", - "DE.Controllers.Main.textLoadingDocument": "Belge yükleniyor", - "DE.Controllers.Main.textNo": "Hayır", - "DE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE açık kaynak sürümü", - "DE.Controllers.Main.textOK": "TAMAM", - "DE.Controllers.Main.textPaidFeature": "Ücretli Özellik", - "DE.Controllers.Main.textPassword": "Şifre", - "DE.Controllers.Main.textPreloader": "Yükleniyor...", - "DE.Controllers.Main.textTryUndoRedo": "Hızlı birlikte düzenleme modunda geri al/ileri al fonksiyonları devre dışıdır.", - "DE.Controllers.Main.textUsername": "Kullanıcı adı", - "DE.Controllers.Main.titleLicenseExp": "Lisans süresi doldu", - "DE.Controllers.Main.titleServerVersion": "Editör güncellendi", - "DE.Controllers.Main.titleUpdateVersion": "Sürüm değiştirildi", - "DE.Controllers.Main.txtArt": "Metni buraya giriniz", - "DE.Controllers.Main.txtDiagramTitle": "Grafik başlığı", - "DE.Controllers.Main.txtEditingMode": "Düzenleme modunu belirle...", - "DE.Controllers.Main.txtFooter": "Altbilgi", - "DE.Controllers.Main.txtHeader": "Başlık", - "DE.Controllers.Main.txtProtected": "Şifreyi girip dosyayı açtığınızda, dosya şifresi sıfırlanacaktır.", - "DE.Controllers.Main.txtSeries": "Seriler", - "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", - "DE.Controllers.Main.txtStyle_Heading_3": "Başlık 3", - "DE.Controllers.Main.txtStyle_Heading_4": "Başlık 4", - "DE.Controllers.Main.txtStyle_Heading_5": "Başlık 5", - "DE.Controllers.Main.txtStyle_Heading_6": "Başlık 6", - "DE.Controllers.Main.txtStyle_Heading_7": "Başlık 7", - "DE.Controllers.Main.txtStyle_Heading_8": "Başlık 8", - "DE.Controllers.Main.txtStyle_Heading_9": "Başlık 9", - "DE.Controllers.Main.txtStyle_Intense_Quote": "Yoğun Alıntı", - "DE.Controllers.Main.txtStyle_List_Paragraph": "Paragrafı Listele", - "DE.Controllers.Main.txtStyle_No_Spacing": "Boşluksuz", - "DE.Controllers.Main.txtStyle_Normal": "Normal", - "DE.Controllers.Main.txtStyle_Quote": "Alıntı", - "DE.Controllers.Main.txtStyle_Subtitle": "Altyazı", - "DE.Controllers.Main.txtStyle_Title": "Başlık", - "DE.Controllers.Main.txtXAxis": "X Ekseni", - "DE.Controllers.Main.txtYAxis": "Y Ekseni", - "DE.Controllers.Main.unknownErrorText": "Bilinmeyen hata.", - "DE.Controllers.Main.unsupportedBrowserErrorText": "Tarayıcınız desteklenmiyor.", - "DE.Controllers.Main.uploadImageExtMessage": "Bilinmeyen resim formatı.", - "DE.Controllers.Main.uploadImageFileCountMessage": "Resim yüklenmedi.", - "DE.Controllers.Main.uploadImageSizeMessage": "Maksimum resim boyutu aşıldı", - "DE.Controllers.Main.uploadImageTextText": "Resim yükleniyor...", - "DE.Controllers.Main.uploadImageTitleText": "Resim Yükleniyor", - "DE.Controllers.Main.warnLicenseExp": "Lisansınızın süresi doldu.
Lütfen lisansınızı güncelleyin ve sayfayı yenileyin.", - "DE.Controllers.Main.warnNoLicense": "%1'ın açık kaynaklı bir sürümünü kullanıyorsunuz. Sürüm, doküman sunucusuna eş zamanlı bağlantılar için sınırlamalar getiriyor (bir seferde 20 bağlantı).
Daha fazla bilgiye ihtiyacınız varsa, ticari bir lisans satın almayı düşünün lütfen.", - "DE.Controllers.Main.warnProcessRightsChange": "Dosyayı düzenleme hakkınız reddedildi", - "DE.Controllers.Search.textNoTextFound": "Metin Bulunamadı", - "DE.Controllers.Search.textReplaceAll": "Tümünü Değiştir", - "DE.Controllers.Settings.notcriticalErrorTitle": "Uyarı", - "DE.Controllers.Settings.textCustomSize": "Boyutu Özelleştir", - "DE.Controllers.Settings.txtLoading": "Yükleniyor", - "DE.Controllers.Settings.unknownText": "Bilinmeyen", - "DE.Controllers.Settings.warnDownloadAs": "Kaydetmeye bu formatta devam ederseniz metin dışında tüm özellikler kaybolacak.
Devam etmek istediğinizden emin misiniz?", - "DE.Controllers.Settings.warnDownloadAsRTF": "Bu şekilde kaydederseniz bazı biçimlendirmeler kaybolacaktır.
Devam etmek istiyor musunuz?", - "DE.Controllers.Toolbar.dlgLeaveMsgText": "Bu belgede kaydedilmemiş değişiklikleriniz var. 'Sayfada Kal' tuşuna tıklayarak otomatik kaydetmeyi bekleyebilirsiniz. 'Sayfadan Ayrıl' tuşuna tıklarsanız kaydedilmemiş tüm değişiklikler silinecektir.", - "DE.Controllers.Toolbar.dlgLeaveTitleText": "Uygulamadan çıktınız", - "DE.Controllers.Toolbar.leaveButtonText": "Bu Sayfadan Ayrıl", - "DE.Controllers.Toolbar.stayButtonText": "Bu Sayfada Kal", - "DE.Views.AddImage.textAddress": "Adres", - "DE.Views.AddImage.textBack": "Geri", - "DE.Views.AddImage.textFromLibrary": "Kütüphane'den Resim", - "DE.Views.AddImage.textFromURL": "URL'den resim", - "DE.Views.AddImage.textImageURL": "Resim URL'si", - "DE.Views.AddImage.textInsertImage": "Resim Ekle", - "DE.Views.AddImage.textLinkSettings": "Link Ayarları", - "DE.Views.AddOther.textAddComment": "Yorum Ekle", - "DE.Views.AddOther.textAddLink": "Link Ekle", - "DE.Views.AddOther.textBack": "Geri", - "DE.Views.AddOther.textBreak": "Yeni Sayfa", - "DE.Views.AddOther.textCenterBottom": "Orta Alt", - "DE.Views.AddOther.textCenterTop": "Orta Üst", - "DE.Views.AddOther.textColumnBreak": "Sütun Sonu", - "DE.Views.AddOther.textComment": "Yorum yap", - "DE.Views.AddOther.textContPage": "Devam Eden Sayfa", - "DE.Views.AddOther.textCurrentPos": "Mevcut Pozisyon", - "DE.Views.AddOther.textDisplay": "Görüntüle", - "DE.Views.AddOther.textDone": "Tamamlandı", - "DE.Views.AddOther.textEvenPage": "Çift Sayfa", - "DE.Views.AddOther.textFootnote": "Dipnot", - "DE.Views.AddOther.textFormat": "Biçim", - "DE.Views.AddOther.textInsert": "Ekle", - "DE.Views.AddOther.textInsertFootnote": "Dipnot Ekle", - "DE.Views.AddOther.textLeftBottom": "Sol Alt", - "DE.Views.AddOther.textLeftTop": "Sol Üst", - "DE.Views.AddOther.textLink": "Link", - "DE.Views.AddOther.textLocation": "Konum", - "DE.Views.AddOther.textNextPage": "Sonraki Sayfa", - "DE.Views.AddOther.textOddPage": "Tek Sayfa", - "DE.Views.AddOther.textPageBreak": "Sayfa Sonu", - "DE.Views.AddOther.textPageNumber": "Sayfa Numarası", - "DE.Views.AddOther.textPosition": "Pozisyon", - "DE.Views.AddOther.textRightBottom": "Sağ Alt", - "DE.Views.AddOther.textRightTop": "Sağ Üst", - "DE.Views.AddOther.textSectionBreak": "Bölüm Sonu", - "DE.Views.AddOther.textTip": "Ekran İpucu", - "DE.Views.EditChart.textAddCustomColor": "Özel Renk Ekle", - "DE.Views.EditChart.textAlign": "Hizala", - "DE.Views.EditChart.textBack": "Geri", - "DE.Views.EditChart.textBackward": "Geri Taşı", - "DE.Views.EditChart.textBehind": "Arka", - "DE.Views.EditChart.textBorder": "Sınır", - "DE.Views.EditChart.textColor": "Renk", - "DE.Views.EditChart.textCustomColor": "Özel Renk", - "DE.Views.EditChart.textDistanceText": "Metinden mesafe", - "DE.Views.EditChart.textFill": "Doldur", - "DE.Views.EditChart.textForward": "İleri Taşı", - "DE.Views.EditChart.textInFront": "Önde", - "DE.Views.EditChart.textInline": "Satıriçi", - "DE.Views.EditChart.textMoveText": "Metinle Taşı", - "DE.Views.EditChart.textOverlap": "Çakışmaya İzin Ver", - "DE.Views.EditChart.textRemoveChart": "Grafiği Kaldır", - "DE.Views.EditChart.textReorder": "Yeniden Sırala", - "DE.Views.EditChart.textSize": "Boyut", - "DE.Views.EditChart.textSquare": "Kare", - "DE.Views.EditChart.textStyle": "Stil", - "DE.Views.EditChart.textThrough": "Sonu", - "DE.Views.EditChart.textTight": "Sıkı", - "DE.Views.EditChart.textToBackground": "Arka Plana gönder", - "DE.Views.EditChart.textToForeground": "Ön Plana Getir", - "DE.Views.EditChart.textTopBottom": "Üst ve Alt", - "DE.Views.EditChart.textType": "Tip", - "DE.Views.EditChart.textWrap": "Metni Kaydır", - "DE.Views.EditHeader.textDiffFirst": "Farklı ilk sayfa", - "DE.Views.EditHeader.textDiffOdd": "Farklı tek ve çift sayfalar", - "DE.Views.EditHeader.textPageNumbering": "Sayfa Numaralandırma", - "DE.Views.EditHeader.textPrev": "Önceki bölümden devam et", - "DE.Views.EditHeader.textSameAs": "Öncekine bağlantı", - "DE.Views.EditHyperlink.textDisplay": "Görüntüle", - "DE.Views.EditHyperlink.textEdit": "Link Düzenle", - "DE.Views.EditHyperlink.textLink": "Link", - "DE.Views.EditHyperlink.textRemove": "Linki Kaldır", - "DE.Views.EditHyperlink.textTip": "Ekran İpucu", - "DE.Views.EditImage.textAddress": "Adres", - "DE.Views.EditImage.textAlign": "Hizala", - "DE.Views.EditImage.textBack": "Geri", - "DE.Views.EditImage.textBackward": "Geri Taşı", - "DE.Views.EditImage.textBehind": "Arka", - "DE.Views.EditImage.textDefault": "Varsayılan Boyut", - "DE.Views.EditImage.textDistanceText": "Metinden mesafe", - "DE.Views.EditImage.textForward": "İleri Taşı", - "DE.Views.EditImage.textFromLibrary": "Kütüphane'den Resim", - "DE.Views.EditImage.textFromURL": "URL'den resim", - "DE.Views.EditImage.textImageURL": "Resim URL'si", - "DE.Views.EditImage.textInFront": "Önde", - "DE.Views.EditImage.textInline": "Satıriçi", - "DE.Views.EditImage.textLinkSettings": "Link Ayarları", - "DE.Views.EditImage.textMoveText": "Metinle Taşı", - "DE.Views.EditImage.textOverlap": "Çakışmaya İzin Ver", - "DE.Views.EditImage.textRemove": "Resmi Kaldır", - "DE.Views.EditImage.textReorder": "Yeniden Sırala", - "DE.Views.EditImage.textReplace": "Değiştir", - "DE.Views.EditImage.textReplaceImg": "Resmi Değiştir", - "DE.Views.EditImage.textSquare": "Kare", - "DE.Views.EditImage.textThrough": "Sonu", - "DE.Views.EditImage.textTight": "Sıkı", - "DE.Views.EditImage.textToBackground": "Arka Plana gönder", - "DE.Views.EditImage.textToForeground": "Ön Plana Getir", - "DE.Views.EditImage.textTopBottom": "Üst ve Alt", - "DE.Views.EditImage.textWrap": "Metni Kaydır", - "DE.Views.EditParagraph.textAddCustomColor": "Özel Renk Ekle", - "DE.Views.EditParagraph.textAdvanced": "Gelişmiş", - "DE.Views.EditParagraph.textAdvSettings": "Gelişmiş ayarlar", - "DE.Views.EditParagraph.textAfter": "Sonra", - "DE.Views.EditParagraph.textAuto": "Otomatik", - "DE.Views.EditParagraph.textBack": "Geri", - "DE.Views.EditParagraph.textBackground": "Arka Plan", - "DE.Views.EditParagraph.textBefore": "Önce", - "DE.Views.EditParagraph.textCustomColor": "Özel Renk", - "DE.Views.EditParagraph.textFirstLine": "İlk satır", - "DE.Views.EditParagraph.textFromText": "Metinden mesafe", - "DE.Views.EditParagraph.textKeepLines": "Satırları birlikte tut", - "DE.Views.EditParagraph.textKeepNext": "Sonrakiyle tut", - "DE.Views.EditParagraph.textOrphan": "Tek satır denetimi", - "DE.Views.EditParagraph.textPageBreak": "Sayfa Sonu Öncesi", - "DE.Views.EditParagraph.textPrgStyles": "Paragraf stilleri", - "DE.Views.EditParagraph.textSpaceBetween": "Paragraf Arası Boşluklar", - "DE.Views.EditShape.textAddCustomColor": "Özel Renk Ekle", - "DE.Views.EditShape.textAlign": "Hizala", - "DE.Views.EditShape.textBack": "Geri", - "DE.Views.EditShape.textBackward": "Geri Taşı", - "DE.Views.EditShape.textBehind": "Arka", - "DE.Views.EditShape.textBorder": "Sınır", - "DE.Views.EditShape.textColor": "Renk", - "DE.Views.EditShape.textCustomColor": "Özel Renk", - "DE.Views.EditShape.textEffects": "Efektler", - "DE.Views.EditShape.textFill": "Doldur", - "DE.Views.EditShape.textForward": "İleri Taşı", - "DE.Views.EditShape.textFromText": "Metinden mesafe", - "DE.Views.EditShape.textInFront": "Önde", - "DE.Views.EditShape.textInline": "Satıriçi", - "DE.Views.EditShape.textOpacity": "Opasite", - "DE.Views.EditShape.textOverlap": "Çakışmaya İzin Ver", - "DE.Views.EditShape.textRemoveShape": "Şekli Kaldır", - "DE.Views.EditShape.textReorder": "Yeniden Sırala", - "DE.Views.EditShape.textReplace": "Değiştir", - "DE.Views.EditShape.textSize": "Boyut", - "DE.Views.EditShape.textSquare": "Kare", - "DE.Views.EditShape.textStyle": "Stil", - "DE.Views.EditShape.textThrough": "Sonu", - "DE.Views.EditShape.textTight": "Sıkı", - "DE.Views.EditShape.textToBackground": "Arka Plana gönder", - "DE.Views.EditShape.textToForeground": "Ön Plana Getir", - "DE.Views.EditShape.textTopAndBottom": "Üst ve Alt", - "DE.Views.EditShape.textWithText": "Metinle Taşı", - "DE.Views.EditShape.textWrap": "Metni Kaydır", - "DE.Views.EditTable.textAddCustomColor": "Özel Renk Ekle", - "DE.Views.EditTable.textAlign": "Hizala", - "DE.Views.EditTable.textBack": "Geri", - "DE.Views.EditTable.textBandedColumn": "Çizgili Sütun", - "DE.Views.EditTable.textBandedRow": "Çizgili Satır", - "DE.Views.EditTable.textBorder": "Sınır", - "DE.Views.EditTable.textCellMargins": "Hücre Kenar Boşluğu", - "DE.Views.EditTable.textColor": "Renk", - "DE.Views.EditTable.textCustomColor": "Özel Renk", - "DE.Views.EditTable.textFill": "Doldur", - "DE.Views.EditTable.textFirstColumn": "İlk Sütun", - "DE.Views.EditTable.textFlow": "Yayılma", - "DE.Views.EditTable.textFromText": "Metinden mesafe", - "DE.Views.EditTable.textHeaderRow": "Başlık Satır", - "DE.Views.EditTable.textInline": "Satıriçi", - "DE.Views.EditTable.textLastColumn": "Son Sütun", - "DE.Views.EditTable.textOptions": "Seçenekler", - "DE.Views.EditTable.textRemoveTable": "Tabloyu Kaldır", - "DE.Views.EditTable.textRepeatHeader": "Başlık Satır olarak Tekrarla", - "DE.Views.EditTable.textResizeFit": "İçereğe Göre Yeniden Boyutlandır", - "DE.Views.EditTable.textSize": "Boyut", - "DE.Views.EditTable.textStyle": "Stil", - "DE.Views.EditTable.textStyleOptions": "Stil Seçenekleri", - "DE.Views.EditTable.textTableOptions": "Tablo Seçenekleri", - "DE.Views.EditTable.textTotalRow": "Toplam Satır", - "DE.Views.EditTable.textWithText": "Metinle Taşı", - "DE.Views.EditTable.textWrap": "Metni Kaydır", - "DE.Views.EditText.textAddCustomColor": "Özel Renk", - "DE.Views.EditText.textAdditional": "Ek", - "DE.Views.EditText.textAdditionalFormat": "Ek Format", - "DE.Views.EditText.textAllCaps": "Tüm Başlıklar", - "DE.Views.EditText.textAutomatic": "Otomatik", - "DE.Views.EditText.textBack": "Geri", - "DE.Views.EditText.textBullets": "İmler", - "DE.Views.EditText.textCharacterBold": "B", - "DE.Views.EditText.textCharacterItalic": "I", - "DE.Views.EditText.textCustomColor": "Özel Renk", - "DE.Views.EditText.textDblStrikethrough": "Üstü çift çizili", - "DE.Views.EditText.textDblSuperscript": "Üstsimge", - "DE.Views.EditText.textFontColor": "Yazı Tipi Rengi", - "DE.Views.EditText.textFontColors": "Yazı Tipi Renkleri", - "DE.Views.EditText.textFonts": "Yazı Tipleri", - "DE.Views.EditText.textHighlightColor": "Vurgu Rengi", - "DE.Views.EditText.textHighlightColors": "Vurgu Renkleri", - "DE.Views.EditText.textLetterSpacing": "Harf Boşlukları", - "DE.Views.EditText.textLineSpacing": "Satır Aralığı", - "DE.Views.EditText.textNone": "Hiçbiri", - "DE.Views.EditText.textNumbers": "Sayılar", - "DE.Views.EditText.textSize": "Boyut", - "DE.Views.EditText.textSmallCaps": "Küçük büyük harfler", - "DE.Views.EditText.textStrikethrough": "Üstü çizili", - "DE.Views.EditText.textSubscript": "Altsimge", - "DE.Views.Search.textCase": "Büyük küçük harfe duyarlı", - "DE.Views.Search.textDone": "Bitti", - "DE.Views.Search.textFind": "Bul", - "DE.Views.Search.textFindAndReplace": "Bul ve Değiştir", - "DE.Views.Search.textHighlight": "Vurgu sonuçları", - "DE.Views.Search.textReplace": "Değiştir", - "DE.Views.Search.textSearch": "Ara", - "DE.Views.Settings.textAbout": "Hakkında", - "DE.Views.Settings.textAddress": "adres", - "DE.Views.Settings.textAdvancedSettings": "Uygulama Ayarları", - "DE.Views.Settings.textApplication": "Uygulama", - "DE.Views.Settings.textAuthor": "Yazar", - "DE.Views.Settings.textBack": "Geri", - "DE.Views.Settings.textBottom": "Alt", - "DE.Views.Settings.textCentimeter": "Santimetre", - "DE.Views.Settings.textCollaboration": "Beraber Çalış", - "DE.Views.Settings.textColorSchemes": "Renk Şeması", - "DE.Views.Settings.textComment": "Yorum", - "DE.Views.Settings.textCommentingDisplay": "Yorum Görünümü", - "DE.Views.Settings.textCreated": "Oluşturudu", - "DE.Views.Settings.textCreateDate": "Oluşturulma tarihi", - "DE.Views.Settings.textCustom": "Özel", - "DE.Views.Settings.textCustomSize": "Özel Boyut", - "DE.Views.Settings.textDisableAll": "Hepsini Devre Dışı Bırak", - "DE.Views.Settings.textDisableAllMacrosWithNotification": "Bildirimi olan tüm makroları devre dışı bırak", - "DE.Views.Settings.textDisableAllMacrosWithoutNotification": "Bildirimi olmayan tüm makroları devre dışı bırak", - "DE.Views.Settings.textDisplayComments": "Yorumlar", - "DE.Views.Settings.textDocInfo": "Belge Bilgisi", - "DE.Views.Settings.textDocTitle": "Belge başlığı", - "DE.Views.Settings.textDocumentFormats": "Belge Formatları", - "DE.Views.Settings.textDocumentSettings": "Belge Ayarları", - "DE.Views.Settings.textDone": "Bitti", - "DE.Views.Settings.textDownload": "İndir", - "DE.Views.Settings.textDownloadAs": "Farklı İndir...", - "DE.Views.Settings.textEditDoc": "Belge Düzenle", - "DE.Views.Settings.textEmail": "E-posta", - "DE.Views.Settings.textEnableAll": "Hepsini Etkinleştir", - "DE.Views.Settings.textEnableAllMacrosWithoutNotification": "Bildirimi olmayan tüm makroları etkinleştir.", - "DE.Views.Settings.textFind": "Bul", - "DE.Views.Settings.textFindAndReplace": "Bul ve Değiştir", - "DE.Views.Settings.textFormat": "Format", - "DE.Views.Settings.textHelp": "Yardım", - "DE.Views.Settings.textHiddenTableBorders": "Gizli Tablo Sınırları", - "DE.Views.Settings.textInch": "İnç", - "DE.Views.Settings.textLandscape": "Yatay", - "DE.Views.Settings.textLastModified": "Son Düzenleme", - "DE.Views.Settings.textLastModifiedBy": "Son Düzenleyen", - "DE.Views.Settings.textLeft": "Sol", - "DE.Views.Settings.textLoading": "Yükleniyor...", - "DE.Views.Settings.textLocation": "Konum", - "DE.Views.Settings.textMacrosSettings": "Makro Ayarları", - "DE.Views.Settings.textMargins": "Kenar Boşlukları", - "DE.Views.Settings.textNoCharacters": "Basılmaz Karakterler", - "DE.Views.Settings.textOrientation": "Oryantasyon", - "DE.Views.Settings.textOwner": "Sahibi", - "DE.Views.Settings.textPages": "Sayfalar", - "DE.Views.Settings.textParagraphs": "Paragraflar", - "DE.Views.Settings.textPortrait": "Dikey", - "DE.Views.Settings.textPoweredBy": "Sunucu", - "DE.Views.Settings.textReader": "Okuyucu Modu", - "DE.Views.Settings.textSettings": "Ayarlar", - "DE.Views.Settings.textSpaces": "Boşluklar", - "DE.Views.Settings.textStatistic": "İstatistik", - "DE.Views.Settings.textSymbols": "Semboller", - "DE.Views.Settings.textTel": "telefon", - "DE.Views.Settings.textVersion": "Sürüm", - "DE.Views.Settings.textWords": "Kelimeler", - "DE.Views.Settings.unknownText": "Bilinmeyen", - "DE.Views.Toolbar.textBack": "Geri" + "About": { + "textAbout": "Hakkında", + "textAddress": "adres" + }, + "Add": { + "textAddLink": "Bağlantı Ekle" + }, + "Common": { + "Collaboration": { + "textAccept": "Onayla", + "textAcceptAllChanges": "Tüm Değişikliği Onayla", + "textAddReply": "Cevap ekle", + "textCenter": "Ortaya Hizala", + "textJustify": "İki yana hizala", + "textLeft": "Sola Hizala", + "textNoContextual": "Aynı stildeki paragraflar arasına aralık ekle", + "textRight": "Sağa Hizala" + } + }, + "ContextMenu": { + "menuAddLink": "Bağlantı Ekle" + }, + "Edit": { + "textActualSize": "Gerçek Boyut", + "textAddCustomColor": "Özel Renk Ekle", + "textAdditional": "Ek", + "textAdvanced": "Gelişmiş", + "textAdvancedSettings": "Gelişmiş Ayarlar", + "textAfter": "sonra", + "textAlign": "Hizala" + }, + "Settings": { + "textAbout": "Hakkında" + } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/zh.json b/apps/documenteditor/mobile/locale/zh.json index f1116e7a4..2fe7791d1 100644 --- a/apps/documenteditor/mobile/locale/zh.json +++ b/apps/documenteditor/mobile/locale/zh.json @@ -1,606 +1,517 @@ { - "Common.Controllers.Collaboration.textAddReply": "添加回复", - "Common.Controllers.Collaboration.textAtLeast": "至少", - "Common.Controllers.Collaboration.textAuto": "自动", - "Common.Controllers.Collaboration.textBaseline": "基线", - "Common.Controllers.Collaboration.textBold": "加粗", - "Common.Controllers.Collaboration.textBreakBefore": "分页前", - "Common.Controllers.Collaboration.textCancel": "取消", - "Common.Controllers.Collaboration.textCaps": "全部大写", - "Common.Controllers.Collaboration.textCenter": "居中对齐", - "Common.Controllers.Collaboration.textChart": "图表", - "Common.Controllers.Collaboration.textColor": "字体颜色", - "Common.Controllers.Collaboration.textContextual": "不要在相同样式的段落之间添加间隔", - "Common.Controllers.Collaboration.textDelete": "删除", - "Common.Controllers.Collaboration.textDeleteComment": "删除批注", - "Common.Controllers.Collaboration.textDeleted": "已删除:", - "Common.Controllers.Collaboration.textDeleteReply": "删除回复", - "Common.Controllers.Collaboration.textDone": "完成", - "Common.Controllers.Collaboration.textDStrikeout": "双删除线", - "Common.Controllers.Collaboration.textEdit": "编辑", - "Common.Controllers.Collaboration.textEditUser": "文件正在被多个用户编辑。", - "Common.Controllers.Collaboration.textEquation": "方程", - "Common.Controllers.Collaboration.textExact": "精确", - "Common.Controllers.Collaboration.textFirstLine": "第一行", - "Common.Controllers.Collaboration.textFormatted": "格式化", - "Common.Controllers.Collaboration.textHighlight": "颜色高亮", - "Common.Controllers.Collaboration.textImage": "图片", - "Common.Controllers.Collaboration.textIndentLeft": "左缩进", - "Common.Controllers.Collaboration.textIndentRight": "右缩进", - "Common.Controllers.Collaboration.textInserted": "插入:", - "Common.Controllers.Collaboration.textItalic": "斜体", - "Common.Controllers.Collaboration.textJustify": "仅对齐", - "Common.Controllers.Collaboration.textKeepLines": "保持同一行", - "Common.Controllers.Collaboration.textKeepNext": "与下一个保持一致", - "Common.Controllers.Collaboration.textLeft": "左对齐", - "Common.Controllers.Collaboration.textLineSpacing": "行间距:", - "Common.Controllers.Collaboration.textMessageDeleteComment": "您确定要删除此批注吗?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "你确定要删除这一回复吗?", - "Common.Controllers.Collaboration.textMultiple": "倍数", - "Common.Controllers.Collaboration.textNoBreakBefore": "之前没有分页", - "Common.Controllers.Collaboration.textNoChanges": "未进行任何修改。", - "Common.Controllers.Collaboration.textNoContextual": "在相同样式的段落之间添加间隔", - "Common.Controllers.Collaboration.textNoKeepLines": "不要保持一行", - "Common.Controllers.Collaboration.textNoKeepNext": "不要跟着下一个", - "Common.Controllers.Collaboration.textNot": "不", - "Common.Controllers.Collaboration.textNoWidow": "没有窗口控制", - "Common.Controllers.Collaboration.textNum": "更改编号", - "Common.Controllers.Collaboration.textParaDeleted": "段落已删除", - "Common.Controllers.Collaboration.textParaFormatted": "段落格式", - "Common.Controllers.Collaboration.textParaInserted": "段落插入", - "Common.Controllers.Collaboration.textParaMoveFromDown": "已下移", - "Common.Controllers.Collaboration.textParaMoveFromUp": "已上移", - "Common.Controllers.Collaboration.textParaMoveTo": "已移动", - "Common.Controllers.Collaboration.textPosition": "职位", - "Common.Controllers.Collaboration.textReopen": "重新打开", - "Common.Controllers.Collaboration.textResolve": "解决", - "Common.Controllers.Collaboration.textRight": "右对齐", - "Common.Controllers.Collaboration.textShape": "形状", - "Common.Controllers.Collaboration.textShd": "背景颜色", - "Common.Controllers.Collaboration.textSmallCaps": "小写", - "Common.Controllers.Collaboration.textSpacing": "间距", - "Common.Controllers.Collaboration.textSpacingAfter": "间隔", - "Common.Controllers.Collaboration.textSpacingBefore": "之前的距离", - "Common.Controllers.Collaboration.textStrikeout": "删除线", - "Common.Controllers.Collaboration.textSubScript": "下标", - "Common.Controllers.Collaboration.textSuperScript": "上标", - "Common.Controllers.Collaboration.textTableChanged": "表格设置已更改", - "Common.Controllers.Collaboration.textTableRowsAdd": "表格行已添加", - "Common.Controllers.Collaboration.textTableRowsDel": "表格行已删除", - "Common.Controllers.Collaboration.textTabs": "更改选项卡", - "Common.Controllers.Collaboration.textUnderline": "下划线", - "Common.Controllers.Collaboration.textWidow": "窗口控制", - "Common.Controllers.Collaboration.textYes": "是", - "Common.UI.ThemeColorPalette.textCustomColors": "自定义颜色", - "Common.UI.ThemeColorPalette.textStandartColors": "标准颜色", - "Common.UI.ThemeColorPalette.textThemeColors": "主题颜色", - "Common.Utils.Metric.txtCm": "厘米", - "Common.Utils.Metric.txtPt": "像素", - "Common.Views.Collaboration.textAccept": "接受", - "Common.Views.Collaboration.textAcceptAllChanges": "接受所有更改", - "Common.Views.Collaboration.textAddReply": "添加回复", - "Common.Views.Collaboration.textAllChangesAcceptedPreview": "已经接受所有更改 (预览)", - "Common.Views.Collaboration.textAllChangesEditing": "所有更改 (编辑中)", - "Common.Views.Collaboration.textAllChangesRejectedPreview": "已经否决所有更改 (预览)", - "Common.Views.Collaboration.textBack": "返回", - "Common.Views.Collaboration.textCancel": "取消", - "Common.Views.Collaboration.textChange": "审查变更", - "Common.Views.Collaboration.textCollaboration": "协作", - "Common.Views.Collaboration.textDisplayMode": "显示模式", - "Common.Views.Collaboration.textDone": "完成", - "Common.Views.Collaboration.textEditReply": "编辑回复", - "Common.Views.Collaboration.textEditUsers": "用户", - "Common.Views.Collaboration.textEditСomment": "编辑批注", - "Common.Views.Collaboration.textFinal": "最终版", - "Common.Views.Collaboration.textMarkup": "标记", - "Common.Views.Collaboration.textNoComments": "此文档不包含批注", - "Common.Views.Collaboration.textOriginal": "原始版", - "Common.Views.Collaboration.textReject": "拒绝", - "Common.Views.Collaboration.textRejectAllChanges": "拒绝所有更改", - "Common.Views.Collaboration.textReview": "跟踪变化", - "Common.Views.Collaboration.textReviewing": "审阅", - "Common.Views.Collaboration.textСomments": "评论", - "DE.Controllers.AddContainer.textImage": "图片", - "DE.Controllers.AddContainer.textOther": "其他", - "DE.Controllers.AddContainer.textShape": "形状", - "DE.Controllers.AddContainer.textTable": "表格", - "DE.Controllers.AddImage.notcriticalErrorTitle": "警告", - "DE.Controllers.AddImage.textEmptyImgUrl": "您需要指定图像URL。", - "DE.Controllers.AddImage.txtNotUrl": "该字段应为“http://www.example.com”格式的URL", - "DE.Controllers.AddOther.notcriticalErrorTitle": "警告", - "DE.Controllers.AddOther.textBelowText": "文字下方", - "DE.Controllers.AddOther.textBottomOfPage": "页面底部", - "DE.Controllers.AddOther.textCancel": "取消", - "DE.Controllers.AddOther.textContinue": "继续", - "DE.Controllers.AddOther.textDelete": "删除", - "DE.Controllers.AddOther.textDeleteDraft": "你确定要删除这一稿吗?", - "DE.Controllers.AddOther.txtNotUrl": "该字段应为“http://www.example.com”格式的URL", - "DE.Controllers.AddTable.textCancel": "取消", - "DE.Controllers.AddTable.textColumns": "列", - "DE.Controllers.AddTable.textRows": "行", - "DE.Controllers.AddTable.textTableSize": "表格大小", - "DE.Controllers.DocumentHolder.errorCopyCutPaste": "使用上下文菜单的复制、剪切和粘贴操作将仅在当前文件中执行。", - "DE.Controllers.DocumentHolder.menuAddComment": "添加批注", - "DE.Controllers.DocumentHolder.menuAddLink": "增加链接", - "DE.Controllers.DocumentHolder.menuCopy": "复制", - "DE.Controllers.DocumentHolder.menuCut": "剪切", - "DE.Controllers.DocumentHolder.menuDelete": "删除", - "DE.Controllers.DocumentHolder.menuDeleteTable": "删除表", - "DE.Controllers.DocumentHolder.menuEdit": "编辑", - "DE.Controllers.DocumentHolder.menuMerge": "合并单元格", - "DE.Controllers.DocumentHolder.menuMore": "更多", - "DE.Controllers.DocumentHolder.menuOpenLink": "打开链接", - "DE.Controllers.DocumentHolder.menuPaste": "粘贴", - "DE.Controllers.DocumentHolder.menuReview": "检查", - "DE.Controllers.DocumentHolder.menuReviewChange": "审查变更", - "DE.Controllers.DocumentHolder.menuSplit": "拆分单元格", - "DE.Controllers.DocumentHolder.menuViewComment": "查看批注", - "DE.Controllers.DocumentHolder.sheetCancel": "取消", - "DE.Controllers.DocumentHolder.textCancel": "取消", - "DE.Controllers.DocumentHolder.textColumns": "列", - "DE.Controllers.DocumentHolder.textCopyCutPasteActions": "复制,剪切和粘贴操作", - "DE.Controllers.DocumentHolder.textDoNotShowAgain": "不要再显示", - "DE.Controllers.DocumentHolder.textGuest": "游客", - "DE.Controllers.DocumentHolder.textRows": "行", - "DE.Controllers.EditContainer.textChart": "图表", - "DE.Controllers.EditContainer.textFooter": "页脚", - "DE.Controllers.EditContainer.textHeader": "页眉", - "DE.Controllers.EditContainer.textHyperlink": "超链接", - "DE.Controllers.EditContainer.textImage": "图片", - "DE.Controllers.EditContainer.textParagraph": "段", - "DE.Controllers.EditContainer.textSettings": "设置", - "DE.Controllers.EditContainer.textShape": "形状", - "DE.Controllers.EditContainer.textTable": "表格", - "DE.Controllers.EditContainer.textText": "文本", - "DE.Controllers.EditHyperlink.notcriticalErrorTitle": "警告", - "DE.Controllers.EditHyperlink.textEmptyImgUrl": "您需要指定图像URL。", - "DE.Controllers.EditHyperlink.txtNotUrl": "该字段应为“http://www.example.com”格式的URL", - "DE.Controllers.EditImage.notcriticalErrorTitle": "警告", - "DE.Controllers.EditImage.textEmptyImgUrl": "您需要指定图像URL。", - "DE.Controllers.EditImage.txtNotUrl": "该字段应为“http://www.example.com”格式的URL", - "DE.Controllers.EditText.textAuto": "自动", - "DE.Controllers.EditText.textFonts": "字体", - "DE.Controllers.EditText.textPt": "像素", - "DE.Controllers.Main.advDRMEnterPassword": "输入密码:", - "DE.Controllers.Main.advDRMOptions": "受保护的文件", - "DE.Controllers.Main.advDRMPassword": "密码", - "DE.Controllers.Main.advTxtOptions": "选择TXT选项", - "DE.Controllers.Main.applyChangesTextText": "数据加载中…", - "DE.Controllers.Main.applyChangesTitleText": "数据加载中", - "DE.Controllers.Main.closeButtonText": "关闭文件", - "DE.Controllers.Main.convertationTimeoutText": "转换超时", - "DE.Controllers.Main.criticalErrorExtText": "按“确定”返回文件列表", - "DE.Controllers.Main.criticalErrorTitle": "错误", - "DE.Controllers.Main.downloadErrorText": "下载失败", - "DE.Controllers.Main.downloadMergeText": "下载中…", - "DE.Controllers.Main.downloadMergeTitle": "下载中", - "DE.Controllers.Main.downloadTextText": "正在下载文件...", - "DE.Controllers.Main.downloadTitleText": "下载文件", - "DE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。
请联系您的文档服务器管理员.", - "DE.Controllers.Main.errorBadImageUrl": "图片地址不正确", - "DE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。您无法再进行编辑。", - "DE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
当你点击“OK”按钮,系统将提示您下载文档。", - "DE.Controllers.Main.errorDatabaseConnection": "外部错误。
数据库连接错误。请联系客服支持。", - "DE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。", - "DE.Controllers.Main.errorDataRange": "数据范围不正确", - "DE.Controllers.Main.errorDefaultMessage": "错误代码:%1", - "DE.Controllers.Main.errorEditingDownloadas": "在处理文档期间发生错误。
使用“下载”选项将文件备份复制到计算机硬盘中。", - "DE.Controllers.Main.errorFilePassProtect": "该文档受密码保护,无法被打开。", - "DE.Controllers.Main.errorFileSizeExceed": "文件大小超出了为服务器设置的限制.
有关详细信息,请与文档服务器管理员联系。", - "DE.Controllers.Main.errorKeyEncrypt": "未知密钥描述", - "DE.Controllers.Main.errorKeyExpire": "密钥过期", - "DE.Controllers.Main.errorMailMergeLoadFile": "加载失败", - "DE.Controllers.Main.errorMailMergeSaveFile": "合并失败", - "DE.Controllers.Main.errorOpensource": "这个免费的社区版本只能够用来查看文件。要想在手机上使用在线编辑工具,请购买商业版。", - "DE.Controllers.Main.errorProcessSaveResult": "保存失败", - "DE.Controllers.Main.errorServerVersion": "该编辑版本已经更新。该页面将被重新加载以应用更改。", - "DE.Controllers.Main.errorSessionAbsolute": "文档编辑会话已过期。请重新加载页面", - "DE.Controllers.Main.errorSessionIdle": "该文件尚未编辑相当长的时间。请重新加载页面。", - "DE.Controllers.Main.errorSessionToken": "与服务器的连接已中断。请重新加载页面。", - "DE.Controllers.Main.errorStockChart": "行顺序不正确。建立股票图表将数据按照以下顺序放置在表格上:
开盘价,最高价格,最低价格,收盘价。", - "DE.Controllers.Main.errorUpdateVersion": "该文件版本已经改变了。该页面将被重新加载。", - "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "网连接已还原文件版本已更改。.
在继续工作之前,需要下载文件或复制其内容以确保没有丢失任何内容,然后重新加载此页。", - "DE.Controllers.Main.errorUserDrop": "该文件现在无法访问。", - "DE.Controllers.Main.errorUsersExceed": "超过了用户数", - "DE.Controllers.Main.errorViewerDisconnect": "连接丢失。您仍然可以查看文档
,但在连接恢复之前无法下载或打印。", - "DE.Controllers.Main.leavePageText": "您在本文档中有未保存的更改。点击“停留在此页面”,等待文档的自动保存。点击“离开此页面”,放弃所有未保存的更改。", - "DE.Controllers.Main.loadFontsTextText": "数据加载中…", - "DE.Controllers.Main.loadFontsTitleText": "数据加载中", - "DE.Controllers.Main.loadFontTextText": "数据加载中…", - "DE.Controllers.Main.loadFontTitleText": "数据加载中", - "DE.Controllers.Main.loadImagesTextText": "图片加载中…", - "DE.Controllers.Main.loadImagesTitleText": "图片加载中", - "DE.Controllers.Main.loadImageTextText": "图片加载中…", - "DE.Controllers.Main.loadImageTitleText": "图片加载中", - "DE.Controllers.Main.loadingDocumentTextText": "文件加载中…", - "DE.Controllers.Main.loadingDocumentTitleText": "文件加载中…", - "DE.Controllers.Main.mailMergeLoadFileText": "原始数据加载中…", - "DE.Controllers.Main.mailMergeLoadFileTitle": "原始数据加载中…", - "DE.Controllers.Main.notcriticalErrorTitle": "警告", - "DE.Controllers.Main.openErrorText": "打开文件时发生错误", - "DE.Controllers.Main.openTextText": "打开文件...", - "DE.Controllers.Main.openTitleText": "正在打开文件", - "DE.Controllers.Main.printTextText": "打印文件", - "DE.Controllers.Main.printTitleText": "打印文件", - "DE.Controllers.Main.saveErrorText": "保存文件时发生错误", - "DE.Controllers.Main.savePreparingText": "图像上传中……", - "DE.Controllers.Main.savePreparingTitle": "图像上传中请稍候...", - "DE.Controllers.Main.saveTextText": "保存文件…", - "DE.Controllers.Main.saveTitleText": "保存文件", - "DE.Controllers.Main.scriptLoadError": "连接速度过慢,部分组件无法被加载。请重新加载页面。", - "DE.Controllers.Main.sendMergeText": "任务合并", - "DE.Controllers.Main.sendMergeTitle": "任务合并", - "DE.Controllers.Main.splitDividerErrorText": "该行数必须是%1的除数。", - "DE.Controllers.Main.splitMaxColsErrorText": "列数必须小于%1", - "DE.Controllers.Main.splitMaxRowsErrorText": "行数必须小于%1", - "DE.Controllers.Main.textAnonymous": "访客", - "DE.Controllers.Main.textBack": "返回", - "DE.Controllers.Main.textBuyNow": "访问网站", - "DE.Controllers.Main.textCancel": "取消", - "DE.Controllers.Main.textClose": "关闭", - "DE.Controllers.Main.textContactUs": "联系销售", - "DE.Controllers.Main.textCustomLoader": "请注意,根据许可条款您无权更改加载程序。
请联系我们的销售部门获取报价。", - "DE.Controllers.Main.textDone": "完成", - "DE.Controllers.Main.textHasMacros": "这个文件带有自动宏。
是否要运行宏?", - "DE.Controllers.Main.textLoadingDocument": "文件加载中…", - "DE.Controllers.Main.textNo": "不", - "DE.Controllers.Main.textNoLicenseTitle": "限制连接数为 %1 ", - "DE.Controllers.Main.textOK": "确定", - "DE.Controllers.Main.textPaidFeature": "付费功能", - "DE.Controllers.Main.textPassword": "密码", - "DE.Controllers.Main.textPreloader": "载入中……", - "DE.Controllers.Main.textRemember": "记住我的选择", - "DE.Controllers.Main.textTryUndoRedo": "快速共同编辑模式下,Undo / Redo功能被禁用。", - "DE.Controllers.Main.textUsername": "用户名", - "DE.Controllers.Main.textYes": "是", - "DE.Controllers.Main.titleLicenseExp": "许可证过期", - "DE.Controllers.Main.titleServerVersion": "编辑器已更新", - "DE.Controllers.Main.titleUpdateVersion": "版本已变化", - "DE.Controllers.Main.txtAbove": "以上", - "DE.Controllers.Main.txtArt": "你的文本在此", - "DE.Controllers.Main.txtBelow": "以下", - "DE.Controllers.Main.txtCurrentDocument": "当前文件", - "DE.Controllers.Main.txtDiagramTitle": "图表标题", - "DE.Controllers.Main.txtEditingMode": "设置编辑模式..", - "DE.Controllers.Main.txtEvenPage": "偶数页", - "DE.Controllers.Main.txtFirstPage": "首页", - "DE.Controllers.Main.txtFooter": "页脚", - "DE.Controllers.Main.txtHeader": "页眉", - "DE.Controllers.Main.txtOddPage": "奇数页", - "DE.Controllers.Main.txtOnPage": "在页面上", - "DE.Controllers.Main.txtProtected": "在您输入密码和打开文件后,该文件的当前密码将被重置", - "DE.Controllers.Main.txtSameAsPrev": "与上一个相同", - "DE.Controllers.Main.txtSection": "-部分", - "DE.Controllers.Main.txtSeries": "系列", - "DE.Controllers.Main.txtStyle_footnote_text": "脚注文本", - "DE.Controllers.Main.txtStyle_Heading_1": "标题1", - "DE.Controllers.Main.txtStyle_Heading_2": "标题2", - "DE.Controllers.Main.txtStyle_Heading_3": "标题3", - "DE.Controllers.Main.txtStyle_Heading_4": "标题4", - "DE.Controllers.Main.txtStyle_Heading_5": "标题5", - "DE.Controllers.Main.txtStyle_Heading_6": "标题6", - "DE.Controllers.Main.txtStyle_Heading_7": "标题7", - "DE.Controllers.Main.txtStyle_Heading_8": "标题8", - "DE.Controllers.Main.txtStyle_Heading_9": "标题9", - "DE.Controllers.Main.txtStyle_Intense_Quote": "直接引用", - "DE.Controllers.Main.txtStyle_List_Paragraph": "排列段落", - "DE.Controllers.Main.txtStyle_No_Spacing": "无空格", - "DE.Controllers.Main.txtStyle_Normal": "正常", - "DE.Controllers.Main.txtStyle_Quote": "引用", - "DE.Controllers.Main.txtStyle_Subtitle": "副标题", - "DE.Controllers.Main.txtStyle_Title": "标题", - "DE.Controllers.Main.txtXAxis": "X轴", - "DE.Controllers.Main.txtYAxis": "Y轴", - "DE.Controllers.Main.unknownErrorText": "示知错误", - "DE.Controllers.Main.unsupportedBrowserErrorText": "你的浏览器不支持", - "DE.Controllers.Main.uploadImageExtMessage": "未知图像格式", - "DE.Controllers.Main.uploadImageFileCountMessage": "没有图片上传", - "DE.Controllers.Main.uploadImageSizeMessage": "超过了Maximium图像大小限制。", - "DE.Controllers.Main.uploadImageTextText": "上传图片...", - "DE.Controllers.Main.uploadImageTitleText": "图片上传中", - "DE.Controllers.Main.waitText": "请稍候...", - "DE.Controllers.Main.warnLicenseExceeded": "与文档服务器的并发连接次数已超出限制,文档打开后将仅供查看。
请联系您的账户管理员了解详情。", - "DE.Controllers.Main.warnLicenseExp": "您的许可证已过期。
请更新您的许可证并刷新页面。", - "DE.Controllers.Main.warnLicenseLimitedNoAccess": "授权过期
您不具备文件编辑功能的授权
请联系管理员。", - "DE.Controllers.Main.warnLicenseLimitedRenewed": "授权需更新
您只有文件编辑功能的部分权限
请联系管理员以取得完整权限。", - "DE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。
请联系您的账户管理员了解详情。", - "DE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。
如果需要更多请考虑购买商业许可证。", - "DE.Controllers.Main.warnNoLicenseUsers": "此版本的%1编辑器对并发用户数量有一定的限制。
如果需要更多,请考虑购买商用许可证。", - "DE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。", - "DE.Controllers.Search.textNoTextFound": "文本没找到", - "DE.Controllers.Search.textReplaceAll": "全部替换", - "DE.Controllers.Settings.notcriticalErrorTitle": "警告", - "DE.Controllers.Settings.textCustomSize": "自定义大小", - "DE.Controllers.Settings.txtLoading": "载入中……", - "DE.Controllers.Settings.unknownText": "未知", - "DE.Controllers.Settings.warnDownloadAs": "如果您继续以此格式保存,除文本之外的所有功能将丢失。
您确定要继续吗?", - "DE.Controllers.Settings.warnDownloadAsRTF": "如果您继续以此格式保存,一些格式可能会丢失。
您确定要继续吗?", - "DE.Controllers.Toolbar.dlgLeaveMsgText": "您在本文档中有未保存的更改。点击“停留在此页面”,等待文档的自动保存。点击“离开此页面”,放弃所有未保存的更改。", - "DE.Controllers.Toolbar.dlgLeaveTitleText": "你退出应用程序", - "DE.Controllers.Toolbar.leaveButtonText": "离开这个页面", - "DE.Controllers.Toolbar.stayButtonText": "保持此页上", - "DE.Views.AddImage.textAddress": "地址", - "DE.Views.AddImage.textBack": "返回", - "DE.Views.AddImage.textFromLibrary": "图库", - "DE.Views.AddImage.textFromURL": "图片来自网络", - "DE.Views.AddImage.textImageURL": "图片地址", - "DE.Views.AddImage.textInsertImage": "插入图像", - "DE.Views.AddImage.textLinkSettings": "链接设置", - "DE.Views.AddOther.textAddComment": "添加批注", - "DE.Views.AddOther.textAddLink": "增加链接", - "DE.Views.AddOther.textBack": "返回", - "DE.Views.AddOther.textBreak": "换行", - "DE.Views.AddOther.textCenterBottom": "中间底部", - "DE.Views.AddOther.textCenterTop": "中心顶部", - "DE.Views.AddOther.textColumnBreak": "分栏", - "DE.Views.AddOther.textComment": "批注", - "DE.Views.AddOther.textContPage": "连续页", - "DE.Views.AddOther.textCurrentPos": "当前位置", - "DE.Views.AddOther.textDisplay": "展示", - "DE.Views.AddOther.textDone": "完成", - "DE.Views.AddOther.textEvenPage": "偶数页", - "DE.Views.AddOther.textFootnote": "脚注", - "DE.Views.AddOther.textFormat": "格式", - "DE.Views.AddOther.textInsert": "插入", - "DE.Views.AddOther.textInsertFootnote": "插入脚注", - "DE.Views.AddOther.textLeftBottom": "左下", - "DE.Views.AddOther.textLeftTop": "左上", - "DE.Views.AddOther.textLink": "链接", - "DE.Views.AddOther.textLocation": "位置", - "DE.Views.AddOther.textNextPage": "下一页", - "DE.Views.AddOther.textOddPage": "奇数页", - "DE.Views.AddOther.textPageBreak": "分页符", - "DE.Views.AddOther.textPageNumber": "页码", - "DE.Views.AddOther.textPosition": "位置", - "DE.Views.AddOther.textRightBottom": "右下", - "DE.Views.AddOther.textRightTop": "右上", - "DE.Views.AddOther.textSectionBreak": "部分中断", - "DE.Views.AddOther.textStartFrom": "开始", - "DE.Views.AddOther.textTip": "屏幕提示", - "DE.Views.EditChart.textAddCustomColor": "\n添加自定义颜色", - "DE.Views.EditChart.textAlign": "对齐", - "DE.Views.EditChart.textBack": "返回", - "DE.Views.EditChart.textBackward": "向后移动", - "DE.Views.EditChart.textBehind": "之后", - "DE.Views.EditChart.textBorder": "边界", - "DE.Views.EditChart.textColor": "颜色", - "DE.Views.EditChart.textCustomColor": "自定义颜色", - "DE.Views.EditChart.textDistanceText": "文字距离", - "DE.Views.EditChart.textFill": "填满", - "DE.Views.EditChart.textForward": "向前移动", - "DE.Views.EditChart.textInFront": "前面", - "DE.Views.EditChart.textInline": "内嵌", - "DE.Views.EditChart.textMoveText": "文字移动", - "DE.Views.EditChart.textOverlap": "允许重叠", - "DE.Views.EditChart.textRemoveChart": "删除图表", - "DE.Views.EditChart.textReorder": "重新订购", - "DE.Views.EditChart.textSize": "大小", - "DE.Views.EditChart.textSquare": "正方形", - "DE.Views.EditChart.textStyle": "类型", - "DE.Views.EditChart.textThrough": "通过", - "DE.Views.EditChart.textTight": "紧", - "DE.Views.EditChart.textToBackground": "发送到背景", - "DE.Views.EditChart.textToForeground": "放到最上面", - "DE.Views.EditChart.textTopBottom": "上下", - "DE.Views.EditChart.textType": "类型", - "DE.Views.EditChart.textWrap": "包裹", - "DE.Views.EditHeader.textDiffFirst": "不同的第一页", - "DE.Views.EditHeader.textDiffOdd": "不同的奇数页和偶数页", - "DE.Views.EditHeader.textFrom": "开始", - "DE.Views.EditHeader.textPageNumbering": "页码", - "DE.Views.EditHeader.textPrev": "从上一节继续", - "DE.Views.EditHeader.textSameAs": "链接到上一个", - "DE.Views.EditHyperlink.textDisplay": "展示", - "DE.Views.EditHyperlink.textEdit": "编辑链接", - "DE.Views.EditHyperlink.textLink": "链接", - "DE.Views.EditHyperlink.textRemove": "删除链接", - "DE.Views.EditHyperlink.textTip": "屏幕提示", - "DE.Views.EditImage.textAddress": "地址", - "DE.Views.EditImage.textAlign": "排列", - "DE.Views.EditImage.textBack": "返回", - "DE.Views.EditImage.textBackward": "向后移动", - "DE.Views.EditImage.textBehind": "之后", - "DE.Views.EditImage.textDefault": "实际大小", - "DE.Views.EditImage.textDistanceText": "文字距离", - "DE.Views.EditImage.textForward": "向前移动", - "DE.Views.EditImage.textFromLibrary": "图库", - "DE.Views.EditImage.textFromURL": "图片来自网络", - "DE.Views.EditImage.textImageURL": "图片地址", - "DE.Views.EditImage.textInFront": "前面", - "DE.Views.EditImage.textInline": "内嵌", - "DE.Views.EditImage.textLinkSettings": "链接设置", - "DE.Views.EditImage.textMoveText": "文字移动", - "DE.Views.EditImage.textOverlap": "允许重叠", - "DE.Views.EditImage.textRemove": "删除图片", - "DE.Views.EditImage.textReorder": "重新订购", - "DE.Views.EditImage.textReplace": "替换", - "DE.Views.EditImage.textReplaceImg": "替换图像", - "DE.Views.EditImage.textSquare": "正方形", - "DE.Views.EditImage.textThrough": "通过", - "DE.Views.EditImage.textTight": "紧", - "DE.Views.EditImage.textToBackground": "发送到背景", - "DE.Views.EditImage.textToForeground": "放到最上面", - "DE.Views.EditImage.textTopBottom": "上下", - "DE.Views.EditImage.textWrap": "包裹", - "DE.Views.EditParagraph.textAddCustomColor": "\n添加自定义颜色", - "DE.Views.EditParagraph.textAdvanced": "高级", - "DE.Views.EditParagraph.textAdvSettings": "高级设置", - "DE.Views.EditParagraph.textAfter": "后", - "DE.Views.EditParagraph.textAuto": "自动", - "DE.Views.EditParagraph.textBack": "返回", - "DE.Views.EditParagraph.textBackground": "背景", - "DE.Views.EditParagraph.textBefore": "以前", - "DE.Views.EditParagraph.textCustomColor": "自定义颜色", - "DE.Views.EditParagraph.textFirstLine": "第一行", - "DE.Views.EditParagraph.textFromText": "文字距离", - "DE.Views.EditParagraph.textKeepLines": "保持同一行", - "DE.Views.EditParagraph.textKeepNext": "与下一个保持一致", - "DE.Views.EditParagraph.textOrphan": "单独控制", - "DE.Views.EditParagraph.textPageBreak": "分页前", - "DE.Views.EditParagraph.textPrgStyles": "段落样式", - "DE.Views.EditParagraph.textSpaceBetween": "段间距", - "DE.Views.EditShape.textAddCustomColor": "\n添加自定义颜色", - "DE.Views.EditShape.textAlign": "排列", - "DE.Views.EditShape.textBack": "返回", - "DE.Views.EditShape.textBackward": "向后移动", - "DE.Views.EditShape.textBehind": "之后", - "DE.Views.EditShape.textBorder": "边界", - "DE.Views.EditShape.textColor": "颜色", - "DE.Views.EditShape.textCustomColor": "自定义颜色", - "DE.Views.EditShape.textEffects": "效果", - "DE.Views.EditShape.textFill": "填满", - "DE.Views.EditShape.textForward": "向前移动", - "DE.Views.EditShape.textFromText": "文字距离", - "DE.Views.EditShape.textInFront": "前面", - "DE.Views.EditShape.textInline": "内嵌", - "DE.Views.EditShape.textOpacity": "不透明度", - "DE.Views.EditShape.textOverlap": "允许重叠", - "DE.Views.EditShape.textRemoveShape": "去除形状", - "DE.Views.EditShape.textReorder": "重新订购", - "DE.Views.EditShape.textReplace": "替换", - "DE.Views.EditShape.textSize": "大小", - "DE.Views.EditShape.textSquare": "正方形", - "DE.Views.EditShape.textStyle": "类型", - "DE.Views.EditShape.textThrough": "通过", - "DE.Views.EditShape.textTight": "紧", - "DE.Views.EditShape.textToBackground": "发送到背景", - "DE.Views.EditShape.textToForeground": "放到最上面", - "DE.Views.EditShape.textTopAndBottom": "上下", - "DE.Views.EditShape.textWithText": "文字移动", - "DE.Views.EditShape.textWrap": "包裹", - "DE.Views.EditTable.textAddCustomColor": "\n添加自定义颜色", - "DE.Views.EditTable.textAlign": "排列", - "DE.Views.EditTable.textBack": "返回", - "DE.Views.EditTable.textBandedColumn": "带状列", - "DE.Views.EditTable.textBandedRow": "带状行", - "DE.Views.EditTable.textBorder": "边界", - "DE.Views.EditTable.textCellMargins": "单元格边距", - "DE.Views.EditTable.textColor": "颜色", - "DE.Views.EditTable.textCustomColor": "自定义颜色", - "DE.Views.EditTable.textFill": "填满", - "DE.Views.EditTable.textFirstColumn": "第一列", - "DE.Views.EditTable.textFlow": "流动", - "DE.Views.EditTable.textFromText": "文件格式", - "DE.Views.EditTable.textHeaderRow": "标题行", - "DE.Views.EditTable.textInline": "内嵌", - "DE.Views.EditTable.textLastColumn": "最后一列", - "DE.Views.EditTable.textOptions": "选项", - "DE.Views.EditTable.textRemoveTable": "删除表", - "DE.Views.EditTable.textRepeatHeader": "重复标题行", - "DE.Views.EditTable.textResizeFit": "调整大小以适应内容", - "DE.Views.EditTable.textSize": "大小", - "DE.Views.EditTable.textStyle": "类型", - "DE.Views.EditTable.textStyleOptions": "样式选项", - "DE.Views.EditTable.textTableOptions": "表格选项", - "DE.Views.EditTable.textTotalRow": "总行", - "DE.Views.EditTable.textWithText": "文字移动", - "DE.Views.EditTable.textWrap": "包裹", - "DE.Views.EditText.textAddCustomColor": "\n添加自定义颜色", - "DE.Views.EditText.textAdditional": "另外", - "DE.Views.EditText.textAdditionalFormat": "附加格式", - "DE.Views.EditText.textAllCaps": "全部大写", - "DE.Views.EditText.textAutomatic": "自动化的", - "DE.Views.EditText.textBack": "返回", - "DE.Views.EditText.textBullets": "子弹", - "DE.Views.EditText.textCharacterBold": "B", - "DE.Views.EditText.textCharacterItalic": "I", - "DE.Views.EditText.textCharacterStrikethrough": "S", - "DE.Views.EditText.textCharacterUnderline": "U", - "DE.Views.EditText.textCustomColor": "自定义颜色", - "DE.Views.EditText.textDblStrikethrough": "双删除线", - "DE.Views.EditText.textDblSuperscript": "上标", - "DE.Views.EditText.textFontColor": "字体颜色", - "DE.Views.EditText.textFontColors": "字体颜色", - "DE.Views.EditText.textFonts": "字体", - "DE.Views.EditText.textHighlightColor": "颜色高亮", - "DE.Views.EditText.textHighlightColors": "颜色高亮", - "DE.Views.EditText.textLetterSpacing": "字母间距", - "DE.Views.EditText.textLineSpacing": "行间距", - "DE.Views.EditText.textNone": "没有", - "DE.Views.EditText.textNumbers": "数字", - "DE.Views.EditText.textSize": "大小", - "DE.Views.EditText.textSmallCaps": "小写", - "DE.Views.EditText.textStrikethrough": "删除线", - "DE.Views.EditText.textSubscript": "下标", - "DE.Views.Search.textCase": "区分大小写", - "DE.Views.Search.textDone": "完成", - "DE.Views.Search.textFind": "查找", - "DE.Views.Search.textFindAndReplace": "查找和替换", - "DE.Views.Search.textHighlight": "高亮效果", - "DE.Views.Search.textReplace": "替换", - "DE.Views.Search.textSearch": "搜索", - "DE.Views.Settings.textAbout": "关于", - "DE.Views.Settings.textAddress": "地址", - "DE.Views.Settings.textAdvancedSettings": "应用程序设置", - "DE.Views.Settings.textApplication": "应用", - "DE.Views.Settings.textAuthor": "作者", - "DE.Views.Settings.textBack": "返回", - "DE.Views.Settings.textBottom": "底部", - "DE.Views.Settings.textCentimeter": "厘米", - "DE.Views.Settings.textCollaboration": "协作", - "DE.Views.Settings.textColorSchemes": "颜色方案", - "DE.Views.Settings.textComment": "批注", - "DE.Views.Settings.textCommentingDisplay": "批注显示", - "DE.Views.Settings.textCreated": "已创建", - "DE.Views.Settings.textCreateDate": "创建日期", - "DE.Views.Settings.textCustom": "自定义", - "DE.Views.Settings.textCustomSize": "自定义大小", - "DE.Views.Settings.textDisableAll": "解除所有项目", - "DE.Views.Settings.textDisableAllMacrosWithNotification": "解除所有带通知的宏", - "DE.Views.Settings.textDisableAllMacrosWithoutNotification": "解除所有不带通知的宏", - "DE.Views.Settings.textDisplayComments": "批注", - "DE.Views.Settings.textDisplayResolvedComments": "已解决批注", - "DE.Views.Settings.textDocInfo": "文件信息", - "DE.Views.Settings.textDocTitle": "文件名", - "DE.Views.Settings.textDocumentFormats": "文件格式", - "DE.Views.Settings.textDocumentSettings": "文档设置", - "DE.Views.Settings.textDone": "完成", - "DE.Views.Settings.textDownload": "下载", - "DE.Views.Settings.textDownloadAs": "下载为...", - "DE.Views.Settings.textEditDoc": "编辑文档", - "DE.Views.Settings.textEmail": "电子邮件", - "DE.Views.Settings.textEnableAll": "启动所有项目", - "DE.Views.Settings.textEnableAllMacrosWithoutNotification": "启动所有不带通知的宏", - "DE.Views.Settings.textFind": "查找", - "DE.Views.Settings.textFindAndReplace": "查找和替换", - "DE.Views.Settings.textFormat": "格式", - "DE.Views.Settings.textHelp": "帮助", - "DE.Views.Settings.textHiddenTableBorders": "隐藏表边框", - "DE.Views.Settings.textInch": "寸", - "DE.Views.Settings.textLandscape": "横向", - "DE.Views.Settings.textLastModified": "上次修改时间", - "DE.Views.Settings.textLastModifiedBy": "上次修改时间", - "DE.Views.Settings.textLeft": "左", - "DE.Views.Settings.textLoading": "加载中…", - "DE.Views.Settings.textLocation": "位置", - "DE.Views.Settings.textMacrosSettings": "宏设置", - "DE.Views.Settings.textMargins": "边距", - "DE.Views.Settings.textNoCharacters": "不打印字符", - "DE.Views.Settings.textOrientation": "选项", - "DE.Views.Settings.textOwner": "创建者", - "DE.Views.Settings.textPages": "页面", - "DE.Views.Settings.textParagraphs": "段落", - "DE.Views.Settings.textPoint": "点", - "DE.Views.Settings.textPortrait": "肖像", - "DE.Views.Settings.textPoweredBy": "支持方", - "DE.Views.Settings.textPrint": "打印", - "DE.Views.Settings.textReader": "阅读模式", - "DE.Views.Settings.textReview": "跟踪变化", - "DE.Views.Settings.textRight": "对", - "DE.Views.Settings.textSettings": "设置", - "DE.Views.Settings.textShowNotification": "显示通知", - "DE.Views.Settings.textSpaces": "间隔", - "DE.Views.Settings.textSpellcheck": "拼写检查", - "DE.Views.Settings.textStatistic": "统计", - "DE.Views.Settings.textSubject": "主题", - "DE.Views.Settings.textSymbols": "符号", - "DE.Views.Settings.textTel": "电话", - "DE.Views.Settings.textTitle": "标题", - "DE.Views.Settings.textTop": "顶部", - "DE.Views.Settings.textUnitOfMeasurement": "计量单位", - "DE.Views.Settings.textUploaded": "上载", - "DE.Views.Settings.textVersion": "版本", - "DE.Views.Settings.textWords": "单词", - "DE.Views.Settings.unknownText": "未知", - "DE.Views.Toolbar.textBack": "返回" + "About": { + "textAbout": "关于", + "textAddress": "地址", + "textBack": "返回", + "textEmail": "电子邮件", + "textPoweredBy": "技术支持", + "textTel": "电话", + "textVersion": "版本" + }, + "Add": { + "notcriticalErrorTitle": "警告", + "textAddLink": "添加链接", + "textAddress": "地址", + "textBack": "返回", + "textBelowText": "文字下方", + "textBottomOfPage": "页面底部", + "textBreak": "换行", + "textCancel": "取消", + "textCenterBottom": "中间底部", + "textCenterTop": "中心顶部", + "textColumnBreak": "分栏", + "textColumns": "列", + "textComment": "评论", + "textContinuousPage": "连续页", + "textCurrentPosition": "当前位置", + "textDisplay": "展示", + "textEmptyImgUrl": "您需要指定图像URL。", + "textEvenPage": "偶数页", + "textFootnote": "脚注", + "textFormat": "格式", + "textImage": "图片", + "textImageURL": "图片地址", + "textInsert": "插入", + "textInsertFootnote": "插入脚注", + "textInsertImage": "插入图片", + "textLeftBottom": "左下", + "textLeftTop": "左上", + "textLink": "链接", + "textLinkSettings": "链接设置", + "textLocation": "位置", + "textNextPage": "下一页", + "textOddPage": "奇数页", + "textOther": "其他", + "textPageBreak": "分页符", + "textPageNumber": "页码", + "textPictureFromLibrary": "图库", + "textPictureFromURL": "来自网络的图片", + "textPosition": "位置", + "textRightBottom": "右下", + "textRightTop": "右上", + "textRows": "行", + "textScreenTip": "屏幕提示", + "textSectionBreak": "分节符", + "textShape": "形状", + "textStartAt": "始于", + "textTable": "表格", + "textTableSize": "表格大小", + "txtNotUrl": "该字段应为“http://www.example.com”格式的URL" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "警告", + "textAccept": "接受", + "textAcceptAllChanges": "接受所有更改", + "textAddComment": "添加评论", + "textAddReply": "添加回复", + "textAllChangesAcceptedPreview": "已经接受所有更改 (预览)", + "textAllChangesEditing": "所有更改 (编辑中)", + "textAllChangesRejectedPreview": "已经否决所有更改 (预览)", + "textAtLeast": "至少", + "textAuto": "自动", + "textBack": "返回", + "textBaseline": "基线", + "textBold": "加粗", + "textBreakBefore": "分页前", + "textCancel": "取消", + "textCaps": "全部大写", + "textCenter": "居中对齐", + "textChart": "图表", + "textCollaboration": "协作", + "textColor": "字体颜色", + "textComments": "评论", + "textContextual": "请不要在同一个样式的不同段落间添加区间", + "textDelete": "删除", + "textDeleteComment": "删除批注", + "textDeleted": "已删除:", + "textDeleteReply": "删除回复", + "textDisplayMode": "显示模式", + "textDone": "完成", + "textDStrikeout": "双删除线", + "textEdit": "编辑", + "textEditComment": "编辑评论", + "textEditReply": "编辑回复", + "textEditUser": "以下用户正在编辑文件:", + "textEquation": "方程", + "textExact": "精确", + "textFinal": "最终版", + "textFirstLine": "第一行", + "textFormatted": "格式化", + "textHighlight": "颜色高亮", + "textImage": "图片", + "textIndentLeft": "左缩进", + "textIndentRight": "右缩进", + "textInserted": "已插入:", + "textItalic": "斜体", + "textJustify": "对齐验证的物件", + "textKeepLines": "保持同一行", + "textKeepNext": "与下一个保持一致", + "textLeft": "左对齐", + "textLineSpacing": "行间距:", + "textMarkup": "标记", + "textMessageDeleteComment": "您确定要删除此批注吗?", + "textMessageDeleteReply": "你确定要删除这一回复吗?", + "textMultiple": "多个", + "textNoBreakBefore": "之前没有分页", + "textNoChanges": "未进行任何修改。", + "textNoComments": "此文档不包含批注", + "textNoContextual": "在相同样式的段落之间添加间隔", + "textNoKeepLines": "不要保持一行", + "textNoKeepNext": "不要跟着下一个", + "textNot": "不", + "textNoWidow": "没有单独控制", + "textNum": "更改编号", + "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": "单独控制" + }, + "ThemeColorPalette": { + "textCustomColors": "自定义颜色", + "textStandartColors": "标准颜色", + "textThemeColors": "主题颜色" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "在上下文菜单中进行拷贝、剪切、粘贴操作只会在这个文件中起作用。", + "menuAddComment": "添加评论", + "menuAddLink": "添加链接", + "menuCancel": "取消", + "menuDelete": "删除", + "menuDeleteTable": "删除表", + "menuEdit": "编辑", + "menuMerge": "合并", + "menuMore": "更多", + "menuOpenLink": "打开链接", + "menuReview": "审阅", + "menuReviewChange": "审查变更", + "menuSplit": "分开", + "menuViewComment": "查看批注", + "textColumns": "列", + "textCopyCutPasteActions": "拷贝,剪切和粘贴操作", + "textDoNotShowAgain": "不要再显示", + "textRows": "行" + }, + "Edit": { + "notcriticalErrorTitle": "警告", + "textActualSize": "实际大小", + "textAddCustomColor": "\n添加自定义颜色", + "textAdditional": "其他", + "textAdditionalFormatting": "其他格式", + "textAddress": "地址", + "textAdvanced": "进阶", + "textAdvancedSettings": "进阶设置", + "textAfter": "之后", + "textAlign": "对齐", + "textAllCaps": "全部大写", + "textAllowOverlap": "允许重叠", + "textAuto": "自动", + "textAutomatic": "自动", + "textBack": "返回", + "textBackground": "背景", + "textBandedColumn": "带状列", + "textBandedRow": "带状行", + "textBefore": "之前", + "textBehind": "之后", + "textBorder": "边界", + "textBringToForeground": "放到最上面", + "textBulletsAndNumbers": "项目符号与编号", + "textCellMargins": "单元格边距", + "textChart": "图表", + "textClose": "关闭", + "textColor": "颜色", + "textContinueFromPreviousSection": "从上一节继续", + "textCustomColor": "自定义颜色", + "textDifferentFirstPage": "不同的第一页", + "textDifferentOddAndEvenPages": "不同的奇数页和偶数页", + "textDisplay": "展示", + "textDistanceFromText": "文字距离", + "textDoubleStrikethrough": "双删除线", + "textEditLink": "编辑链接", + "textEffects": "效果", + "textEmptyImgUrl": "您需要指定图像URL。", + "textFill": "填满", + "textFirstColumn": "第一列", + "textFirstLine": "首行", + "textFlow": "流动", + "textFontColor": "字体颜色", + "textFontColors": "字体颜色", + "textFonts": "字体", + "textFooter": "页脚", + "textHeader": "页眉", + "textHeaderRow": "页眉行", + "textHighlightColor": "颜色高亮", + "textHyperlink": "超链接", + "textImage": "图片", + "textImageURL": "图片地址", + "textInFront": "前面", + "textInline": "内嵌", + "textKeepLinesTogether": "保持同一行", + "textKeepWithNext": "与下一个保持一致", + "textLastColumn": "最后一列", + "textLetterSpacing": "字母间距", + "textLineSpacing": "行间距", + "textLink": "链接", + "textLinkSettings": "链接设置", + "textLinkToPrevious": "链接到上一个", + "textMoveBackward": "向后移动", + "textMoveForward": "向前移动", + "textMoveWithText": "文字移动", + "textNone": "无", + "textNoStyles": "这个类型的图表没有对应的样式。", + "textNotUrl": "该字段应为“http://www.example.com”格式的URL", + "textOpacity": "不透明度", + "textOptions": "选项", + "textOrphanControl": "单独控制", + "textPageBreakBefore": "分页前", + "textPageNumbering": "页码编号", + "textParagraph": "段", + "textParagraphStyles": "段落样式", + "textPictureFromLibrary": "图库", + "textPictureFromURL": "来自网络的图片", + "textPt": "像素", + "textRemoveChart": "删除图表", + "textRemoveImage": "删除图片", + "textRemoveLink": "删除链接", + "textRemoveShape": "删除图形", + "textRemoveTable": "删除表", + "textReorder": "重新订购", + "textRepeatAsHeaderRow": "重复标题行", + "textReplace": "替换", + "textReplaceImage": "替换图像", + "textResizeToFitContent": "调整大小以适应内容", + "textScreenTip": "屏幕提示", + "textSelectObjectToEdit": "选择要编辑的物件", + "textSendToBackground": "送至后台", + "textSettings": "设置", + "textShape": "形状", + "textSize": "大小", + "textSmallCaps": "小写", + "textSpaceBetweenParagraphs": "段间距", + "textSquare": "正方形", + "textStartAt": "始于", + "textStrikethrough": "删除线", + "textStyle": "样式", + "textStyleOptions": "样式选项", + "textSubscript": "下标", + "textSuperscript": "上标", + "textTable": "表格", + "textTableOptions": "表格选项", + "textText": "文本", + "textThrough": "通过", + "textTight": "紧", + "textTopAndBottom": "上下", + "textTotalRow": "总行", + "textType": "类型", + "textWrap": "包裹" + }, + "Error": { + "convertationTimeoutText": "转换超时", + "criticalErrorExtText": "按下“好”按钮回到文档列表。", + "criticalErrorTitle": "错误", + "downloadErrorText": "下载失败", + "errorAccessDeny": "你正要执行一个你没有权限的操作
恳请你联系你的管理员。", + "errorBadImageUrl": "图片地址不正确", + "errorConnectToServer": "文档保存失败。请检查你的联网设置,或联系你的管理员。
点按“好”按钮后,你可以下载该文档。", + "errorDatabaseConnection": "外部错误。
数据库连接错误。请联系客服支持。", + "errorDataEncrypted": "加密更改已收到,无法对其解密。", + "errorDataRange": "数据范围不正确", + "errorDefaultMessage": "错误代码:%1", + "errorEditingDownloadas": "处理文档时发生错误.
请将文件备份保存到本地。", + "errorFilePassProtect": "该文件已启动密码保护,无法打开。", + "errorFileSizeExceed": "文件大小超出了服务器的限制。
恳请你联系管理员。", + "errorKeyEncrypt": "未知密钥描述", + "errorKeyExpire": "密钥过期", + "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": "数据加载中…", + "applyChangesTitleText": "数据加载中", + "downloadMergeText": "下载中…", + "downloadMergeTitle": "下载中", + "downloadTextText": "正在下载文件...", + "downloadTitleText": "下载文件", + "loadFontsTextText": "数据加载中…", + "loadFontsTitleText": "数据加载中", + "loadFontTextText": "数据加载中…", + "loadFontTitleText": "数据加载中", + "loadImagesTextText": "图片加载中…", + "loadImagesTitleText": "图片加载中", + "loadImageTextText": "图片加载中…", + "loadImageTitleText": "图片加载中", + "loadingDocumentTextText": "文件加载中…", + "loadingDocumentTitleText": "文件加载中…", + "mailMergeLoadFileText": "原始数据加载中…", + "mailMergeLoadFileTitle": "原始数据加载中…", + "openTextText": "打开文件...", + "openTitleText": "正在打开文件", + "printTextText": "打印文件", + "printTitleText": "打印文件", + "savePreparingText": "正在准备保存...", + "savePreparingTitle": "正在准备保存。请稍等...", + "saveTextText": "正在保存文档...", + "saveTitleText": "保存文件", + "sendMergeText": "任务合并", + "sendMergeTitle": "任务合并", + "textLoadingDocument": "文件加载中…", + "txtEditingMode": "设置编辑模式..", + "uploadImageTextText": "上传图片...", + "uploadImageTitleText": "图片上传中", + "waitText": "请稍候..." + }, + "Main": { + "criticalErrorTitle": "错误", + "errorAccessDeny": "你正要执行一个你没有权限的操作。
恳请你联系你的管理员。", + "errorOpensource": "在使用免费社区版本的情况下,你只能查看打开的文件。要想使用移动网上编辑器功能,你需要持有付费许可证。", + "errorProcessSaveResult": "保存失败", + "errorServerVersion": "编辑器版本已完成更新。为应用这些更改,该页将要刷新。", + "errorUpdateVersion": "文件版本发生改变。该页将要刷新。", + "leavePageText": "你有未保存的修改。点击“留在该页”可等待自动保存完成。点击“离开该页”将丢弃全部未经保存的修改。", + "notcriticalErrorTitle": "警告", + "SDK": { + "Diagram Title": "图表标题", + "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", + "Intense Quote": "直接引用", + "List Paragraph": "列表段落", + "No Spacing": "无空格", + "Normal": "正常", + "Quote": "引用", + "Series": "系列", + "Subtitle": "副标题", + "Title": "标题", + "X Axis": "X 轴 XAS", + "Y Axis": "Y 轴", + "Your text here": "你的文本在此" + }, + "textAnonymous": "匿名", + "textBuyNow": "访问网站", + "textClose": "关闭", + "textContactUs": "联系销售", + "textCustomLoader": "抱歉,你无权修改装载程序。请联系我们的销售部门以获取报价。", + "textGuest": "访客", + "textHasMacros": "这个文件带有自动宏。
是否要运行宏?", + "textNo": "不", + "textNoLicenseTitle": "触碰到许可证数量限制。", + "textPaidFeature": "付费功能", + "textRemember": "记住我的选择", + "textYes": "是", + "titleLicenseExp": "许可证过期", + "titleServerVersion": "编辑器已更新", + "titleUpdateVersion": "版本已变化", + "warnLicenseExceeded": "你触发了 %1 编辑器的同时在线数限制。该文档打开后,你将只能查看。可联系管理员来了解更多信息。", + "warnLicenseExp": "你的许可证已过期。恳请你更新许可证,然后刷新该页面。", + "warnLicenseLimitedNoAccess": "许可证已过期。你将不能使用文档编辑功能。恳请你联系你的管理员。", + "warnLicenseLimitedRenewed": "许可证需要更新。你的文档编辑功能被限制了。
要想取得全部权限,请联系你的管理员。", + "warnLicenseUsersExceeded": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。", + "warnNoLicense": "你已经触发了 %1 编辑器的同时在线数限制. 该文档打开后,你将只能查看。请联系 %1 的销售团队,获取个人升级条款。", + "warnNoLicenseUsers": "你触发了 %1 编辑器的同时在线数限制。请与 %1 的销售团队联系,以获取个人升级条款。", + "warnProcessRightsChange": "你没有编辑这个文件的权限。" + }, + "Settings": { + "advDRMOptions": "受保护的文件", + "advDRMPassword": "密码", + "advTxtOptions": "选择TXT选项", + "closeButtonText": "关闭文件", + "notcriticalErrorTitle": "警告", + "textAbout": "关于", + "textApplication": "应用", + "textApplicationSettings": "应用设置", + "textAuthor": "作者", + "textBack": "返回", + "textBottom": "底部", + "textCancel": "取消", + "textCaseSensitive": "区分大小写", + "textCentimeter": "厘米", + "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": "文本没找到", + "textOpenFile": "输入密码来打开文件", + "textOrientation": "方向", + "textOwner": "创建者", + "textPoint": "点", + "textPortrait": "纵向", + "textPrint": "打印", + "textReaderMode": "阅读模式", + "textReplace": "替换", + "textReplaceAll": "全部替换", + "textResolvedComments": "已解决批注", + "textRight": "右", + "textSearch": "搜索", + "textSettings": "设置", + "textShowNotification": "显示通知", + "textSpellcheck": "拼写检查", + "textStatistic": "统计", + "textSubject": "主题", + "textTitle": "标题", + "textTop": "顶部", + "textUnitOfMeasurement": "计量单位", + "textUploaded": "已上传", + "txtIncorrectPwd": "密码有误", + "txtProtected": "输入密码并打开文件后,当前密码将会被重设。" + }, + "Toolbar": { + "dlgLeaveMsgText": "你有未保存的修改。点击“留在该页”可等待自动保存完成。点击“离开该页”将丢弃全部未经保存的修改。", + "dlgLeaveTitleText": "你退出应用程序", + "leaveButtonText": "离开这个页面", + "stayButtonText": "保持此页上" + } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/src/controller/ContextMenu.jsx b/apps/documenteditor/mobile/src/controller/ContextMenu.jsx index c205270ce..a64f6620f 100644 --- a/apps/documenteditor/mobile/src/controller/ContextMenu.jsx +++ b/apps/documenteditor/mobile/src/controller/ContextMenu.jsx @@ -113,8 +113,6 @@ class ContextMenu extends ContextMenuController { }, 400); break; } - - console.log("click context menu item: " + action); } showCopyCutPasteModal() { diff --git a/apps/documenteditor/mobile/src/controller/Main.jsx b/apps/documenteditor/mobile/src/controller/Main.jsx index 471070499..dc2d27292 100644 --- a/apps/documenteditor/mobile/src/controller/Main.jsx +++ b/apps/documenteditor/mobile/src/controller/Main.jsx @@ -78,7 +78,6 @@ class MainController extends Component { const _t = this._t; EditorUIController.isSupportEditFeature(); - console.log('load config'); this.editorConfig = Object.assign({}, this.editorConfig, data.config); diff --git a/apps/documenteditor/mobile/src/controller/settings/ApplicationSettings.jsx b/apps/documenteditor/mobile/src/controller/settings/ApplicationSettings.jsx index b9cfc7d39..dbad0f696 100644 --- a/apps/documenteditor/mobile/src/controller/settings/ApplicationSettings.jsx +++ b/apps/documenteditor/mobile/src/controller/settings/ApplicationSettings.jsx @@ -51,7 +51,7 @@ class ApplicationSettingsController extends Component { } switchDisplayResolved(value) { - const displayComments = LocalStorage.getBool("de-mobile-settings-livecomment"); + const displayComments = LocalStorage.getBool("de-mobile-settings-livecomment",true); if (displayComments) { Common.EditorApi.get().asc_showComments(value); LocalStorage.setBool("de-settings-resolvedcomment", value); diff --git a/apps/documenteditor/mobile/src/index_dev.html b/apps/documenteditor/mobile/src/index_dev.html index 34e64efc6..a0ead6c1a 100644 --- a/apps/documenteditor/mobile/src/index_dev.html +++ b/apps/documenteditor/mobile/src/index_dev.html @@ -59,42 +59,12 @@ return urlParams; }; - const encodeUrlParam = str => str.replace(/&/g, '&') - .replace(/"/g, '"') - .replace(/'/g, ''') - .replace(//g, '>'); - let params = getUrlParams(), - lang = (params["lang"] || 'en').split(/[\-\_]/)[0], - logo = /*params["headerlogo"] ? encodeUrlParam(params["headerlogo"]) : */null, - logoOO = null; - if (!logo) { - logoOO = isAndroid ? "../../common/mobile/resources/img/header/header-logo-android.png" : "../../common/mobile/resources/img/header/header-logo-ios.png"; - } + lang = (params["lang"] || 'en').split(/[\-\_]/)[0]; window.frameEditorId = params["frameEditorId"]; window.parentOrigin = params["parentOrigin"]; window.Common = {Locale: {currentLang: lang}}; - - let brendpanel = document.getElementsByClassName('brendpanel')[0]; - if (brendpanel) { - if ( isAndroid ) { - brendpanel.classList.add('android'); - } - brendpanel.classList.add('visible'); - - let elem = document.querySelector('.loading-logo'); - if (elem) { - logo && (elem.innerHTML = ''); - logoOO && (elem.innerHTML = ''); - elem.style.opacity = 1; - } - var placeholder = document.getElementsByClassName('placeholder')[0]; - if (placeholder && isAndroid) { - placeholder.classList.add('android'); - } - } diff --git a/apps/documenteditor/mobile/src/store/appOptions.js b/apps/documenteditor/mobile/src/store/appOptions.js index ccba86f65..63be7b9c6 100644 --- a/apps/documenteditor/mobile/src/store/appOptions.js +++ b/apps/documenteditor/mobile/src/store/appOptions.js @@ -113,6 +113,7 @@ export class storeAppOptions { this.canComments = this.canComments && !((typeof (this.customization) == 'object') && this.customization.comments===false); this.canViewComments = this.canComments || !((typeof (this.customization) == 'object') && this.customization.comments===false); this.canEditComments = this.isOffline || !(typeof (this.customization) == 'object' && this.customization.commentAuthorOnly); + this.canDeleteComments= this.isOffline || !permissions.deleteCommentAuthorOnly; this.canChat = this.canLicense && !this.isOffline && !((typeof (this.customization) == 'object') && this.customization.chat === false); this.canEditStyles = this.canLicense && this.canEdit; this.canPrint = (permissions.print !== false); @@ -134,8 +135,11 @@ export class storeAppOptions { if ( this.isLightVersion ) { this.canUseHistory = this.canReview = this.isReviewOnly = false; } - - this.canUseReviewPermissions = this.canLicense && this.customization && this.customization.reviewPermissions && (typeof (this.customization.reviewPermissions) == 'object'); + this.canUseReviewPermissions = this.canLicense && (!!permissions.reviewGroups || this.customization + && this.customization.reviewPermissions && (typeof (this.customization.reviewPermissions) == 'object')); + this.canUseCommentPermissions = this.canLicense && !!permissions.commentGroups; + this.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(permissions.reviewGroups, this.customization.reviewPermissions); + this.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(permissions.commentGroups); } setCanViewReview (value) { this.canViewReview = value; diff --git a/apps/documenteditor/mobile/src/view/add/AddLink.jsx b/apps/documenteditor/mobile/src/view/add/AddLink.jsx index 479ed3603..d5b6a2eda 100644 --- a/apps/documenteditor/mobile/src/view/add/AddLink.jsx +++ b/apps/documenteditor/mobile/src/view/add/AddLink.jsx @@ -13,6 +13,8 @@ const PageLink = props => { const [stateLink, setLink] = useState(''); const [stateDisplay, setDisplay] = useState(display); const [stateTip, setTip] = useState(''); + const [stateAutoUpdate, setAutoUpdate] = useState(true); + return ( {!props.noNavbar && } @@ -22,14 +24,16 @@ const PageLink = props => { type="text" placeholder={_t.textLink} value={stateLink} - onChange={(event) => {setLink(event.target.value)}} + onChange={(event) => {setLink(event.target.value); + if(stateAutoUpdate) setDisplay(event.target.value); }} > {setDisplay(event.target.value)}} + onChange={(event) => {setDisplay(event.target.value); + setAutoUpdate(event.target.value == ''); }} > listHeight) { + var height = this.scroller.$el.scrollTop() + itemTop + (itemHeight - listHeight)/2; + height = (Math.floor(height/itemHeight) * itemHeight); + this.scroller.scrollTop(height); + } + } + this.active = menu; } } diff --git a/apps/presentationeditor/main/locale/ca.json b/apps/presentationeditor/main/locale/ca.json index 56d657a2f..bb8c8f59a 100644 --- a/apps/presentationeditor/main/locale/ca.json +++ b/apps/presentationeditor/main/locale/ca.json @@ -6,15 +6,51 @@ "Common.Controllers.ExternalDiagramEditor.warningText": "L’objecte està desactivat perquè està sent editat per un altre usuari.", "Common.Controllers.ExternalDiagramEditor.warningTitle": "Avis", "Common.define.chartData.textArea": "Àrea", + "Common.define.chartData.textAreaStacked": "Àrea apilada", + "Common.define.chartData.textAreaStackedPer": "Àrea apilada al 100%", "Common.define.chartData.textBar": "Barra", - "Common.define.chartData.textCharts": "Gràfics", + "Common.define.chartData.textBarNormal": "Columna agrupada", + "Common.define.chartData.textBarNormal3d": "Columna 3D agrupada", + "Common.define.chartData.textBarNormal3dPerspective": "Columna 3D", + "Common.define.chartData.textBarStacked": "Columna apilada", + "Common.define.chartData.textBarStacked3d": "Columna 3D apilada", + "Common.define.chartData.textBarStackedPer": "Columna apilada al 100%", + "Common.define.chartData.textBarStackedPer3d": "columna 3D apilada al 100%", + "Common.define.chartData.textCharts": "Diagrames", "Common.define.chartData.textColumn": "Columna", + "Common.define.chartData.textCombo": "Combo", + "Common.define.chartData.textComboAreaBar": "Àrea apilada - columna agrupada", + "Common.define.chartData.textComboBarLine": "Columna-línia agrupada", + "Common.define.chartData.textComboBarLineSecondary": " Columna-línia agrupada a l'eix secundari", + "Common.define.chartData.textComboCustom": "Combinació personalitzada", + "Common.define.chartData.textDoughnut": "Donut", + "Common.define.chartData.textHBarNormal": "Barra agrupada", + "Common.define.chartData.textHBarNormal3d": "Barra 3D agrupada", + "Common.define.chartData.textHBarStacked": "Barra apilada", + "Common.define.chartData.textHBarStacked3d": "Barra 3D apilada", + "Common.define.chartData.textHBarStackedPer": "Barra apilada al 100%", + "Common.define.chartData.textHBarStackedPer3d": "Barra 3D apilada al 100%", "Common.define.chartData.textLine": "Línia", + "Common.define.chartData.textLine3d": "Línia 3D", + "Common.define.chartData.textLineMarker": "Línia amb marcadors", + "Common.define.chartData.textLineStacked": "Línia apilada", + "Common.define.chartData.textLineStackedMarker": "Línia apilada amb marcadors", + "Common.define.chartData.textLineStackedPer": "Línia apilada al 100%", + "Common.define.chartData.textLineStackedPerMarker": "Línia apilada al 100% amb marcadors", "Common.define.chartData.textPie": "Gràfic circular", + "Common.define.chartData.textPie3d": "Pastís 3D", "Common.define.chartData.textPoint": "XY (Dispersió)", + "Common.define.chartData.textScatter": "Dispersió", + "Common.define.chartData.textScatterLine": "Dispersió amb línies rectes", + "Common.define.chartData.textScatterLineMarker": "Dispersió amb línies rectes i marcadors", + "Common.define.chartData.textScatterSmooth": "Dispersió amb línies suaus", + "Common.define.chartData.textScatterSmoothMarker": "Dispersió amb línies suaus i marcadors", "Common.define.chartData.textStock": "Existències", "Common.define.chartData.textSurface": "Superfície", "Common.Translation.warnFileLocked": "El document s'està editant en una altra aplicació. Podeu continuar editant i guardar-lo com a còpia.", + "Common.Translation.warnFileLockedBtnEdit": "Crea una còpia", + "Common.Translation.warnFileLockedBtnView": "Obrir per veure", + "Common.UI.ColorButton.textAutoColor": "Automàtic", "Common.UI.ColorButton.textNewColor": "Afegir un Nou Color Personalitzat", "Common.UI.ComboBorderSize.txtNoBorders": "Sense vores", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sense vores", @@ -39,6 +75,9 @@ "Common.UI.SynchronizeTip.textSynchronize": "Un altre usuari ha canviat el document.
Feu clic per desar els canvis i tornar a carregar les actualitzacions.", "Common.UI.ThemeColorPalette.textStandartColors": "Colors Estàndards", "Common.UI.ThemeColorPalette.textThemeColors": "Colors Tema", + "Common.UI.Themes.txtThemeClassicLight": "Llum clàssica", + "Common.UI.Themes.txtThemeDark": "Fosc", + "Common.UI.Themes.txtThemeLight": "Clar", "Common.UI.Window.cancelButtonText": "Cancel·lar", "Common.UI.Window.closeButtonText": "Tancar", "Common.UI.Window.noButtonText": "No", @@ -59,12 +98,21 @@ "Common.Views.About.txtTel": "tel.: ", "Common.Views.About.txtVersion": "Versió", "Common.Views.AutoCorrectDialog.textAdd": "Afegir", + "Common.Views.AutoCorrectDialog.textApplyText": "Aplicar a mesura que s'escriu", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Correcció Automàtica", + "Common.Views.AutoCorrectDialog.textAutoFormat": "Format automàtic a mesura que s'escriu", + "Common.Views.AutoCorrectDialog.textBulleted": "Llistes de vinyetes automàtiques", "Common.Views.AutoCorrectDialog.textBy": "Per", "Common.Views.AutoCorrectDialog.textDelete": "Esborrar", + "Common.Views.AutoCorrectDialog.textFLSentence": "Posa en majúscules la primera lletra de les frases", + "Common.Views.AutoCorrectDialog.textHyphens": "Guions (--) amb guió (—)", "Common.Views.AutoCorrectDialog.textMathCorrect": "Correcció Automàtica Matemàtica", + "Common.Views.AutoCorrectDialog.textNumbered": "Llistes numerades automàtiques", + "Common.Views.AutoCorrectDialog.textQuotes": "\"Cometes rectes\" amb \"cometes tipogràfiques\"", "Common.Views.AutoCorrectDialog.textRecognized": "Funcions Reconegudes", "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Les expressions següents són expressions matemàtiques reconegudes. No es posaran en cursiva automàticament.", "Common.Views.AutoCorrectDialog.textReplace": "Substitueix", + "Common.Views.AutoCorrectDialog.textReplaceText": "Substitueix mentre s'escriu", "Common.Views.AutoCorrectDialog.textReplaceType": "Substituïu el text mentre escriviu", "Common.Views.AutoCorrectDialog.textReset": "Restablir", "Common.Views.AutoCorrectDialog.textResetAll": "Restableix a valor predeterminat", @@ -92,8 +140,8 @@ "Common.Views.Comments.textResolve": "Resol", "Common.Views.Comments.textResolved": "Resolt", "Common.Views.CopyWarningDialog.textDontShow": "No torneu a mostrar aquest missatge", - "Common.Views.CopyWarningDialog.textMsg": "Copiar, tallar i enganxar accions 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 editor, utilitzeu les combinacions de teclat següents:", - "Common.Views.CopyWarningDialog.textTitle": "Accions de Copiar, Tallar i Pegar ", + "Common.Views.CopyWarningDialog.textMsg": "Les accions Copia, retalla i enganxa utilitzant els botons de la barra d'eines de l'editor i les accions del menú contextual només es realitzaran dins d'aquesta pestanya de l'editor.

Per copiar o enganxar a o des de les aplicacions fora de la pestanya de l'editor, utilitzeu les següents combinacions de teclat:", + "Common.Views.CopyWarningDialog.textTitle": "Accions de Copiar, Tallar i Enganxar ", "Common.Views.CopyWarningDialog.textToCopy": "Per Copiar", "Common.Views.CopyWarningDialog.textToCut": "Per Tallar", "Common.Views.CopyWarningDialog.textToPaste": "Per Pegar", @@ -101,13 +149,16 @@ "Common.Views.DocumentAccessDialog.textTitle": "Configuració per Compartir", "Common.Views.ExternalDiagramEditor.textClose": "Tancar", "Common.Views.ExternalDiagramEditor.textSave": "Desar i Sortir", - "Common.Views.ExternalDiagramEditor.textTitle": "Editor del Gràfic", + "Common.Views.ExternalDiagramEditor.textTitle": "Editor de Gràfics", "Common.Views.Header.labelCoUsersDescr": "Usuaris que editen el fitxer:", + "Common.Views.Header.textAddFavorite": "Marcar com a favorit", "Common.Views.Header.textAdvSettings": "Configuració avançada", "Common.Views.Header.textBack": "Obrir ubicació del arxiu", "Common.Views.Header.textCompactView": "Amagar la Barra d'Eines", "Common.Views.Header.textHideLines": "Amagar Regles", + "Common.Views.Header.textHideNotes": "Ocultar notes", "Common.Views.Header.textHideStatusBar": "Amagar la Barra d'Estat", + "Common.Views.Header.textRemoveFavorite": "Elimina dels Favorits", "Common.Views.Header.textSaveBegin": "Desant...", "Common.Views.Header.textSaveChanged": "Modificat", "Common.Views.Header.textSaveEnd": "Tots els canvis guardats", @@ -136,7 +187,7 @@ "Common.Views.InsertTableDialog.txtTitle": "Mida Taula", "Common.Views.InsertTableDialog.txtTitleSplit": "Dividir Cel·la", "Common.Views.LanguageDialog.labelSelect": "Seleccionar l'idioma de document", - "Common.Views.ListSettingsDialog.textBulleted": "Llista encuadrada", + "Common.Views.ListSettingsDialog.textBulleted": "Amb vinyetes", "Common.Views.ListSettingsDialog.textNumbering": "Numerats", "Common.Views.ListSettingsDialog.tipChange": "Canviar vinyeta", "Common.Views.ListSettingsDialog.txtBullet": "Vinyeta", @@ -149,13 +200,13 @@ "Common.Views.ListSettingsDialog.txtSymbol": "Símbol", "Common.Views.ListSettingsDialog.txtTitle": "Configuració de la Llista", "Common.Views.ListSettingsDialog.txtType": "Tipus", - "Common.Views.OpenDialog.closeButtonText": "Tancar Arxiu", + "Common.Views.OpenDialog.closeButtonText": "Tancar Fitxer", "Common.Views.OpenDialog.txtEncoding": "Codificació", "Common.Views.OpenDialog.txtIncorrectPwd": "La contrasenya es incorrecta.", "Common.Views.OpenDialog.txtOpenFile": "Introduïu una contrasenya per obrir el fitxer", "Common.Views.OpenDialog.txtPassword": "Contrasenya", "Common.Views.OpenDialog.txtProtected": "Un cop hàgiu introduït la contrasenya i obert el fitxer, es restablirà la contrasenya actual del fitxer.", - "Common.Views.OpenDialog.txtTitle": "Tria %1 opció", + "Common.Views.OpenDialog.txtTitle": "Tria opcions %1", "Common.Views.OpenDialog.txtTitleProtected": "Arxiu Protegit", "Common.Views.PasswordDialog.txtDescription": "Establir una contrasenya per protegir el document", "Common.Views.PasswordDialog.txtIncorrectPwd": "La contrasenya de confirmació no és idèntica", @@ -170,7 +221,7 @@ "Common.Views.Plugins.textStart": "Comença", "Common.Views.Plugins.textStop": "Parar", "Common.Views.Protection.hintAddPwd": "Xifrar amb contrasenya", - "Common.Views.Protection.hintPwd": "Canviar o Esborrar Contrasenya", + "Common.Views.Protection.hintPwd": "Canviar o Suprimir Contrasenya", "Common.Views.Protection.hintSignature": "Afegir signatura digital o línia de signatura", "Common.Views.Protection.txtAddPwd": "Afegir contrasenya", "Common.Views.Protection.txtChangePwd": "Canviar la contrasenya", @@ -191,6 +242,8 @@ "Common.Views.ReviewChanges.tipCoAuthMode": "Configura el mode de coedició", "Common.Views.ReviewChanges.tipCommentRem": "Esborrar comentaris", "Common.Views.ReviewChanges.tipCommentRemCurrent": "Esborrar comentaris actuals", + "Common.Views.ReviewChanges.tipCommentResolve": "Resoldre els comentaris", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Resol els comentaris actuals", "Common.Views.ReviewChanges.tipHistory": "Mostra l'historial de versions", "Common.Views.ReviewChanges.tipRejectCurrent": "Rebutjar canvi actual", "Common.Views.ReviewChanges.tipReview": "Control de Canvis", @@ -202,7 +255,7 @@ "Common.Views.ReviewChanges.txtAcceptAll": "Acceptar Tots els Canvis", "Common.Views.ReviewChanges.txtAcceptChanges": "Acceptar canvis", "Common.Views.ReviewChanges.txtAcceptCurrent": "Acceptar el Canvi Actual", - "Common.Views.ReviewChanges.txtChat": "Chat", + "Common.Views.ReviewChanges.txtChat": "Xat", "Common.Views.ReviewChanges.txtClose": "Tancar", "Common.Views.ReviewChanges.txtCoAuthMode": "Mode de Coedició", "Common.Views.ReviewChanges.txtCommentRemAll": "Esborrar tots els comentaris", @@ -210,6 +263,11 @@ "Common.Views.ReviewChanges.txtCommentRemMy": "Esborrar els meus comentaris", "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Esborrar els meus actuals comentaris", "Common.Views.ReviewChanges.txtCommentRemove": "Esborrar", + "Common.Views.ReviewChanges.txtCommentResolve": "Resoldre", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Resoldre tots els comentaris", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Resoldre els comentaris actuals", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Resoldre els Meus Comentaris", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Resoldre els Meus Comentaris Actuals", "Common.Views.ReviewChanges.txtDocLang": "Idioma", "Common.Views.ReviewChanges.txtFinal": "Tots el canvis acceptats (Previsualitzar)", "Common.Views.ReviewChanges.txtFinalCap": "Final", @@ -229,7 +287,7 @@ "Common.Views.ReviewChanges.txtTurnon": "Control de Canvis", "Common.Views.ReviewChanges.txtView": "Mode de visualització", "Common.Views.ReviewPopover.textAdd": "Afegir", - "Common.Views.ReviewPopover.textAddReply": "Afegir una Resposta", + "Common.Views.ReviewPopover.textAddReply": "Afegir Resposta", "Common.Views.ReviewPopover.textCancel": "Cancel·lar", "Common.Views.ReviewPopover.textClose": "Tancar", "Common.Views.ReviewPopover.textEdit": "Acceptar", @@ -247,6 +305,7 @@ "Common.Views.SignDialog.textChange": "Canviar", "Common.Views.SignDialog.textInputName": "Posar nom de qui ho firma", "Common.Views.SignDialog.textItalic": "Itàlica", + "Common.Views.SignDialog.textNameError": "El nom del signant no pot estar buit.", "Common.Views.SignDialog.textPurpose": "Finalitat de signar aquest document", "Common.Views.SignDialog.textSelect": "Seleccionar", "Common.Views.SignDialog.textSelectImage": "Seleccionar Imatge", @@ -267,8 +326,8 @@ "Common.Views.SignSettingsDialog.txtEmpty": "Aquest camp és obligatori", "Common.Views.SymbolTableDialog.textCharacter": "Caràcter", "Common.Views.SymbolTableDialog.textCode": "Valor HEX Unicode", - "Common.Views.SymbolTableDialog.textCopyright": "Signatura de Propietat Intel·lectual", - "Common.Views.SymbolTableDialog.textDCQuote": "Tancar Doble Pressupost", + "Common.Views.SymbolTableDialog.textCopyright": "Signe de copyright", + "Common.Views.SymbolTableDialog.textDCQuote": "S'està tancant una doble cita", "Common.Views.SymbolTableDialog.textDOQuote": "Obertura de Cotització Doble", "Common.Views.SymbolTableDialog.textEllipsis": "El·lipsi horitzontal", "Common.Views.SymbolTableDialog.textEmDash": "EM Dash", @@ -283,7 +342,7 @@ "Common.Views.SymbolTableDialog.textRange": "Rang", "Common.Views.SymbolTableDialog.textRecent": "Símbols utilitzats recentment", "Common.Views.SymbolTableDialog.textRegistered": "Registre Registrat", - "Common.Views.SymbolTableDialog.textSCQuote": "Tancar Simple Pressupost", + "Common.Views.SymbolTableDialog.textSCQuote": "S'està tancant una única cita", "Common.Views.SymbolTableDialog.textSection": "Signe de Secció", "Common.Views.SymbolTableDialog.textShortcut": "Tecla de Drecera", "Common.Views.SymbolTableDialog.textSHyphen": "Guionet Suau", @@ -292,16 +351,21 @@ "Common.Views.SymbolTableDialog.textSymbols": "Símbols", "Common.Views.SymbolTableDialog.textTitle": "Símbol", "Common.Views.SymbolTableDialog.textTradeMark": "Símbol de Marca Comercial", + "Common.Views.UserNameDialog.textDontShow": "No em tornis a preguntar", + "Common.Views.UserNameDialog.textLabel": "Etiqueta:", + "Common.Views.UserNameDialog.textLabelError": "L'etiqueta no pot estar en blanc.", + "PE.Controllers.LeftMenu.leavePageText": "Es perdran tots els canvis no guardats en aquest document.
Feu clic a \"Cancel·lar\" i, a continuació, \"Desa\" per desar-los. Feu clic a \"OK\" per descartar tots els canvis no desats.", "PE.Controllers.LeftMenu.newDocumentTitle": "Presentació sense nom", "PE.Controllers.LeftMenu.notcriticalErrorTitle": "Avis", "PE.Controllers.LeftMenu.requestEditRightsText": "Sol·licitant drets d’edició ...", + "PE.Controllers.LeftMenu.textLoadHistory": "Carregant historial de versions...", "PE.Controllers.LeftMenu.textNoTextFound": "No s'han trobat les dades que heu cercat. Ajusteu les opcions de cerca.", "PE.Controllers.LeftMenu.textReplaceSkipped": "La substitució s’ha realitzat. Es van saltar {0} ocurrències.", "PE.Controllers.LeftMenu.textReplaceSuccess": "La recerca s’ha fet. Es van substituir les coincidències: {0}", "PE.Controllers.LeftMenu.txtUntitled": "Sense títol", "PE.Controllers.Main.applyChangesTextText": "Carregant dades...", "PE.Controllers.Main.applyChangesTitleText": "Carregant Dades", - "PE.Controllers.Main.convertationTimeoutText": "Conversió fora de temps", + "PE.Controllers.Main.convertationTimeoutText": "S'ha superat el temps de conversió.", "PE.Controllers.Main.criticalErrorExtText": "Prem \"Acceptar\" per tornar al document.", "PE.Controllers.Main.criticalErrorTitle": "Error", "PE.Controllers.Main.downloadErrorText": "Descàrrega fallida.", @@ -310,6 +374,7 @@ "PE.Controllers.Main.errorAccessDeny": "Intenteu realitzar una acció per la qual no teniu drets.
Poseu-vos en contacte amb l'administrador del servidor de documents.", "PE.Controllers.Main.errorBadImageUrl": "Enllaç de la Imatge Incorrecte", "PE.Controllers.Main.errorCoAuthoringDisconnect": "S'ha perdut la connexió amb el servidor. El document no es pot editar ara mateix.", + "PE.Controllers.Main.errorComboSeries": "Per crear un diagrama combinat, seleccioneu almenys dues sèries de dades.", "PE.Controllers.Main.errorConnectToServer": "El document no s'ha pogut desar. Comproveu la configuració de la connexió o poseu-vos en contacte amb l'administrador.
Quan feu clic al botó \"D'acord\", se us demanarà que descarregueu el document.", "PE.Controllers.Main.errorDatabaseConnection": "Error extern.
Error de connexió de base de dades. Contacteu amb l'assistència en cas que l'error continuï.", "PE.Controllers.Main.errorDataEncrypted": "S'han rebut canvis xifrats, que no es poden desxifrar.", @@ -328,6 +393,7 @@ "PE.Controllers.Main.errorSessionAbsolute": "La sessió d’edició del document ha caducat. Torneu a carregar la pàgina.", "PE.Controllers.Main.errorSessionIdle": "El document no s’ha editat des de fa temps. Torneu a carregar la pàgina.", "PE.Controllers.Main.errorSessionToken": "S'ha interromput la connexió amb el servidor. Torneu a carregar la pàgina.", + "PE.Controllers.Main.errorSetPassword": "No s'ha pogut establir la contrasenya.", "PE.Controllers.Main.errorStockChart": "Ordre de fila incorrecte. 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.", "PE.Controllers.Main.errorToken": "El testimoni de seguretat del document no està format correctament.
Contacteu l'administrador del servidor de documents.", "PE.Controllers.Main.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacteu amb l'administrador del Document Server.", @@ -335,8 +401,9 @@ "PE.Controllers.Main.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.", "PE.Controllers.Main.errorUserDrop": "Ara no es pot accedir al fitxer.", "PE.Controllers.Main.errorUsersExceed": "S'ha superat el nombre d’usuaris permès pel pla de preus", - "PE.Controllers.Main.errorViewerDisconnect": "Es perd la connexió. Encara podeu visualitzar el document,
però no podreu descarregar-lo ni imprimir-lo fins que no es restableixi la connexió i es torni a carregar la pàgina.", + "PE.Controllers.Main.errorViewerDisconnect": "S'ha perdut la connexió. Encara podeu visualitzar el document,
però no podreu descarregar-lo ni imprimir-lo fins que no es restableixi la connexió i es torni a re-carregar la pàgina.", "PE.Controllers.Main.leavePageText": "Heu fet canvis no desats en aquesta presentació. Feu clic a \"Continua en aquesta pàgina\" i, a continuació, \"Desa\" per desar-les. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", + "PE.Controllers.Main.leavePageTextOnClose": "Es perdran tots els canvis no desats en aquesta presentació.
Feu clic a «Cancel·la» i després a «Desa» per desar-los. Feu clic a \"D'acord\" per descartar tots els canvis no desats.", "PE.Controllers.Main.loadFontsTextText": "Carregant dades...", "PE.Controllers.Main.loadFontsTitleText": "Carregant Dades", "PE.Controllers.Main.loadFontTextText": "Carregant dades...", @@ -359,6 +426,7 @@ "PE.Controllers.Main.requestEditFailedMessageText": "Algú està editant aquesta presentació ara mateix. Si us plau, 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 raons possibles són:
1. El fitxer és de només lectura.
2. El fitxer està sent editat per altres usuaris.
3. El disc està ple o corromput.", "PE.Controllers.Main.savePreparingText": "Preparant per guardar", "PE.Controllers.Main.savePreparingTitle": "Preparant per guardar. Si us plau, esperi", "PE.Controllers.Main.saveTextText": "Guardant presentació...", @@ -371,31 +439,37 @@ "PE.Controllers.Main.textBuyNow": "Visita el Lloc Web", "PE.Controllers.Main.textChangesSaved": "Tots els canvis guardats", "PE.Controllers.Main.textClose": "Tancar", - "PE.Controllers.Main.textCloseTip": "Feu clic per tancar", - "PE.Controllers.Main.textContactUs": "Contacte de Vendes", + "PE.Controllers.Main.textCloseTip": "Clicar per tancar el consell", + "PE.Controllers.Main.textContactUs": "Equip de Vendes", "PE.Controllers.Main.textCustomLoader": "Tingueu en compte que, segons els termes de la llicència, no teniu dret a canviar el carregador.
Consulteu el nostre departament de vendes per obtenir un pressupost.", + "PE.Controllers.Main.textGuest": "Convidat", "PE.Controllers.Main.textHasMacros": "El fitxer conté macros automàtiques.
Voleu executar macros?", "PE.Controllers.Main.textLoadingDocument": "Carregant presentació", + "PE.Controllers.Main.textLongName": "Introduïu un nom de menys de 128 caràcters.", "PE.Controllers.Main.textNoLicenseTitle": "Heu arribat al límit de la llicència", "PE.Controllers.Main.textPaidFeature": "Funció de pagament", - "PE.Controllers.Main.textRemember": "Recorda la meva elecció", + "PE.Controllers.Main.textRemember": "Recordar la meva elecció per a tots els fitxers", + "PE.Controllers.Main.textRenameError": "El nom d'usuari no pot estar buit.", + "PE.Controllers.Main.textRenameLabel": "Introduïu un nom per a la col·laboració", "PE.Controllers.Main.textShape": "Forma", "PE.Controllers.Main.textStrict": "Mode estricte", "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-lo ells. Podeu canviar entre els modes de coedició mitjançant l'editor Paràmetres avançats.", + "PE.Controllers.Main.textTryUndoRedoWarn": "Les funcions Desfer/Refer estan desactivades per al mode de coedició ràpida.", "PE.Controllers.Main.titleLicenseExp": "Llicència Caducada", "PE.Controllers.Main.titleServerVersion": "S'ha actualitzat l'editor", - "PE.Controllers.Main.txtAddFirstSlide": "Faci clic per afegir la primera diapositiva", + "PE.Controllers.Main.txtAddFirstSlide": "Cliqui per a afegir la primera diapositiva", "PE.Controllers.Main.txtAddNotes": "Faci clic per afegir notes", "PE.Controllers.Main.txtArt": "El seu text aquí", "PE.Controllers.Main.txtBasicShapes": "Formes Bàsiques", "PE.Controllers.Main.txtButtons": "Botons", - "PE.Controllers.Main.txtCallouts": "Trucades", - "PE.Controllers.Main.txtCharts": "Gràfics", + "PE.Controllers.Main.txtCallouts": "Crides", + "PE.Controllers.Main.txtCharts": "Diagramas", "PE.Controllers.Main.txtClipArt": "Imatges Predissenyades", "PE.Controllers.Main.txtDateTime": "Data i hora", "PE.Controllers.Main.txtDiagram": "Imatge preconfigurada", - "PE.Controllers.Main.txtDiagramTitle": "Títol del Gràfic", + "PE.Controllers.Main.txtDiagramTitle": "Títol del Diagrama", "PE.Controllers.Main.txtEditingMode": "Establir el mode d'edició ...", + "PE.Controllers.Main.txtErrorLoadHistory": "Ha fallat la càrrega de l'historial", "PE.Controllers.Main.txtFiguredArrows": "Fletxes Figurades", "PE.Controllers.Main.txtFooter": "Peu de pàgina", "PE.Controllers.Main.txtHeader": "Capçalera", @@ -405,6 +479,7 @@ "PE.Controllers.Main.txtMath": "Matemàtiques", "PE.Controllers.Main.txtMedia": "Medis", "PE.Controllers.Main.txtNeedSynchronize": "Teniu actualitzacions", + "PE.Controllers.Main.txtNone": "cap", "PE.Controllers.Main.txtPicture": "Imatge", "PE.Controllers.Main.txtRectangles": "Rectangles", "PE.Controllers.Main.txtSeries": "Series", @@ -414,7 +489,7 @@ "PE.Controllers.Main.txtShape_accentCallout1": "Trucada amb línia 1 (barra d'èmfasis)", "PE.Controllers.Main.txtShape_accentCallout2": "Trucada amb línia 2 (barra d'èmfasis)", "PE.Controllers.Main.txtShape_accentCallout3": "Trucada amb línia 3 (barra d'èmfasis)", - "PE.Controllers.Main.txtShape_actionButtonBackPrevious": "Botó Enrere o Anterior", + "PE.Controllers.Main.txtShape_actionButtonBackPrevious": "Enrere o Botó Anterior", "PE.Controllers.Main.txtShape_actionButtonBeginning": "Botó d’Inici", "PE.Controllers.Main.txtShape_actionButtonBlank": "Botó en blanc", "PE.Controllers.Main.txtShape_actionButtonDocument": "Botó de Document", @@ -443,10 +518,10 @@ "PE.Controllers.Main.txtShape_callout3": "Trucada amb línia 3 (sense vora)", "PE.Controllers.Main.txtShape_can": "Cilindre", "PE.Controllers.Main.txtShape_chevron": "Chevron", - "PE.Controllers.Main.txtShape_chord": "Chord", + "PE.Controllers.Main.txtShape_chord": "Acord", "PE.Controllers.Main.txtShape_circularArrow": "Fletxa Circular", "PE.Controllers.Main.txtShape_cloud": "Núvol", - "PE.Controllers.Main.txtShape_cloudCallout": "Trucada de Núvol", + "PE.Controllers.Main.txtShape_cloudCallout": "Crida de Núvol", "PE.Controllers.Main.txtShape_corner": "Cantonada", "PE.Controllers.Main.txtShape_cube": "Cub", "PE.Controllers.Main.txtShape_curvedConnector3": "Connector corbat", @@ -581,7 +656,7 @@ "PE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Llibre rectangular de punt rodó", "PE.Controllers.Main.txtSldLtTBlank": "En blanc", "PE.Controllers.Main.txtSldLtTChart": "Gràfic", - "PE.Controllers.Main.txtSldLtTChartAndTx": "Gràfic i Text", + "PE.Controllers.Main.txtSldLtTChartAndTx": "Gràfic i text", "PE.Controllers.Main.txtSldLtTClipArtAndTx": "Imatge Predissenyada i Tex", "PE.Controllers.Main.txtSldLtTClipArtAndVertTx": "Imatge PreDissenyada i Text Vertical", "PE.Controllers.Main.txtSldLtTCust": "Personalitzat", @@ -640,7 +715,7 @@ "PE.Controllers.Main.unsupportedBrowserErrorText": "El vostre navegador no és compatible.", "PE.Controllers.Main.uploadImageExtMessage": "Format imatge desconegut.", "PE.Controllers.Main.uploadImageFileCountMessage": "No hi ha imatges pujades.", - "PE.Controllers.Main.uploadImageSizeMessage": "Superat el límit màxim de la imatge.", + "PE.Controllers.Main.uploadImageSizeMessage": "La imatge és massa gran. La mida màxima és de 25 MB.", "PE.Controllers.Main.uploadImageTextText": "Pujant imatge...", "PE.Controllers.Main.uploadImageTitleText": "Pujant Imatge", "PE.Controllers.Main.waitText": "Si us plau, esperi...", @@ -648,6 +723,8 @@ "PE.Controllers.Main.warnBrowserZoom": "La configuració del zoom actual del navegador no és totalment compatible. Restabliu el zoom per defecte prement Ctrl+0.", "PE.Controllers.Main.warnLicenseExceeded": "S'ha superat el nombre de connexions simultànies al servidor de documents i el document s'obrirà només per a la seva visualització.
Contacteu l'administrador per obtenir més informació.", "PE.Controllers.Main.warnLicenseExp": "La seva llicencia ha caducat.
Si us plau, actualitzi la llicencia i recarregui la pàgina.", + "PE.Controllers.Main.warnLicenseLimitedNoAccess": "La llicència ha caducat.
No teniu accés a la funcionalitat d'edició de documents.
Si us plau, contacteu amb l'administrador.", + "PE.Controllers.Main.warnLicenseLimitedRenewed": "Cal renovar la llicència.
Teniu un accés limitat a la funcionalitat d'edició de documents.
Contacteu amb l'administrador per obtenir accés complet", "PE.Controllers.Main.warnLicenseUsersExceeded": "S'ha superat el nombre d'usuaris concurrents i el document s'obrirà només per a la seva visualització.
Per més informació, poseu-vos en contacte amb l'administrador.", "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 concurrents per a editors %1.
Contactau l'equip de vendes per als termes de millora personal dels vostres serveis.", @@ -677,8 +754,8 @@ "PE.Controllers.Toolbar.txtAccent_Bar": "Barra", "PE.Controllers.Toolbar.txtAccent_BarBot": "Barra Subjacent", "PE.Controllers.Toolbar.txtAccent_BarTop": "Barra superposada", - "PE.Controllers.Toolbar.txtAccent_BorderBox": "Fórmula a celda (amb el marcador de posició)", - "PE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "Fórmula a celda (exemple)", + "PE.Controllers.Toolbar.txtAccent_BorderBox": "Fórmula encaixada (amb el marcador de posició)", + "PE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "Fórmula encaixada (exemple)", "PE.Controllers.Toolbar.txtAccent_Check": "Comprovar", "PE.Controllers.Toolbar.txtAccent_CurveBracketBot": "Clau Subjacent", "PE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Clau superposada", @@ -695,15 +772,15 @@ "PE.Controllers.Toolbar.txtAccent_HarpoonL": "Arpon cap a l'esquerra per sobre", "PE.Controllers.Toolbar.txtAccent_HarpoonR": "Arpon superior cap a dreta", "PE.Controllers.Toolbar.txtAccent_Hat": "Circumflex", - "PE.Controllers.Toolbar.txtAccent_Smile": "Accent breu", + "PE.Controllers.Toolbar.txtAccent_Smile": "Breve", "PE.Controllers.Toolbar.txtAccent_Tilde": "Tilde", "PE.Controllers.Toolbar.txtBracket_Angle": "Claudàtor", - "PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Claudàtor amb separadors", - "PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Claudàtor amb separadors", + "PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Claudàtors amb separadors", + "PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Claudàtors amb separadors", "PE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Claudàtor Únic", "PE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Claudàtor Únic", "PE.Controllers.Toolbar.txtBracket_Curve": "Claudàtor", - "PE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Claudàtor amb separadors", + "PE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Claudàtors amb separadors", "PE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Claudàtor Únic", "PE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Claudàtor Únic", "PE.Controllers.Toolbar.txtBracket_Custom_1": "Casos (dos condicions)", @@ -716,26 +793,26 @@ "PE.Controllers.Toolbar.txtBracket_Line": "Claudàtor", "PE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Claudàtor Únic", "PE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Claudàtor Únic", - "PE.Controllers.Toolbar.txtBracket_LineDouble": "Claudàtor", + "PE.Controllers.Toolbar.txtBracket_LineDouble": "Claudàtors", "PE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Claudàtor Únic", "PE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Claudàtor Únic", - "PE.Controllers.Toolbar.txtBracket_LowLim": "Claudàtor", + "PE.Controllers.Toolbar.txtBracket_LowLim": "Claudàtors", "PE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Claudàtor Únic", "PE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Claudàtor Únic", - "PE.Controllers.Toolbar.txtBracket_Round": "Claudàtor", - "PE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Claudàtor amb separadors", + "PE.Controllers.Toolbar.txtBracket_Round": "Claudàtors", + "PE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Claudàtors amb separadors", "PE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Claudàtor Únic", "PE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Claudàtor Únic", - "PE.Controllers.Toolbar.txtBracket_Square": "Claudàtor", - "PE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Claudàtor", - "PE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Claudàtor", + "PE.Controllers.Toolbar.txtBracket_Square": "Claudàtors", + "PE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Claudàtors", + "PE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Claudàtors", "PE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Claudàtor Únic", "PE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Claudàtor Únic", - "PE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Claudàtor", - "PE.Controllers.Toolbar.txtBracket_SquareDouble": "Claudàtor", + "PE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Claudàtors", + "PE.Controllers.Toolbar.txtBracket_SquareDouble": "Claudàtors", "PE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Claudàtor Únic", "PE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Claudàtor Únic", - "PE.Controllers.Toolbar.txtBracket_UppLim": "Claudàtor", + "PE.Controllers.Toolbar.txtBracket_UppLim": "Claudàtors", "PE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Claudàtor Únic", "PE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Claudàtor Únic", "PE.Controllers.Toolbar.txtFractionDiagonal": "Fracció inclinada", @@ -759,7 +836,7 @@ "PE.Controllers.Toolbar.txtFunction_1_Sinh": "Funció hiperbòlica del seno invers", "PE.Controllers.Toolbar.txtFunction_1_Tan": "Funció de tangent inversa", "PE.Controllers.Toolbar.txtFunction_1_Tanh": "Funció tangent inversa hiperbòlica", - "PE.Controllers.Toolbar.txtFunction_Cos": "Funció cosina", + "PE.Controllers.Toolbar.txtFunction_Cos": "funció cosinus", "PE.Controllers.Toolbar.txtFunction_Cosh": "Funció del cosin hiperbòlic", "PE.Controllers.Toolbar.txtFunction_Cot": "Funció cotangent", "PE.Controllers.Toolbar.txtFunction_Coth": "Funció cotangent hiperbòlic", @@ -782,12 +859,12 @@ "PE.Controllers.Toolbar.txtIntegralDouble": "Doble integral", "PE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "Doble integral", "PE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Doble integral", - "PE.Controllers.Toolbar.txtIntegralOriented": "Contorn integral", - "PE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Contorn integral", + "PE.Controllers.Toolbar.txtIntegralOriented": "Integral de contorn", + "PE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Integral de contorn", "PE.Controllers.Toolbar.txtIntegralOrientedDouble": "Integral de superfície", "PE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Integral de superfície", "PE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Integral de superfície", - "PE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Contorn integral", + "PE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Integral de contorn", "PE.Controllers.Toolbar.txtIntegralOrientedTriple": "Volum integral", "PE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Volum integral", "PE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Volum integral", @@ -800,11 +877,11 @@ "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Falca", "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "Falca", "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "Falca", - "PE.Controllers.Toolbar.txtLargeOperator_CoProd": "Coproducte", - "PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Coproducte", - "PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Coproducte", - "PE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Coproducte", - "PE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Coproducte", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd": "Co-producte", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Co-producte", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Co-producte", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Co-producte", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Co-producte", "PE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Suma", "PE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Suma", "PE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Suma", @@ -855,7 +932,7 @@ "PE.Controllers.Toolbar.txtMatrix_3_1": "3x1 matriu buida", "PE.Controllers.Toolbar.txtMatrix_3_2": "3x2 matriu buida", "PE.Controllers.Toolbar.txtMatrix_3_3": "3s3 matriu buida", - "PE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "Punts Subíndexs", + "PE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "Punts de línia base", "PE.Controllers.Toolbar.txtMatrix_Dots_Center": "Punts en línia mitja", "PE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Punts en diagonal", "PE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "Punts Verticals", @@ -907,10 +984,10 @@ "PE.Controllers.Toolbar.txtSymbol_approx": "Gairebé igual a", "PE.Controllers.Toolbar.txtSymbol_ast": "Operador asterisc", "PE.Controllers.Toolbar.txtSymbol_beta": "Beta", - "PE.Controllers.Toolbar.txtSymbol_beth": "Bet", + "PE.Controllers.Toolbar.txtSymbol_beth": "Aposta", "PE.Controllers.Toolbar.txtSymbol_bullet": "Operador de Vinyeta", "PE.Controllers.Toolbar.txtSymbol_cap": "Intersecció", - "PE.Controllers.Toolbar.txtSymbol_cbrt": "Arrel de Cub", + "PE.Controllers.Toolbar.txtSymbol_cbrt": "Arrel cúbica", "PE.Controllers.Toolbar.txtSymbol_cdots": "El·lipsis horitzontal de línia mitja", "PE.Controllers.Toolbar.txtSymbol_celsius": "Graus Celsius", "PE.Controllers.Toolbar.txtSymbol_chi": "Chi", @@ -980,7 +1057,7 @@ "PE.Controllers.Toolbar.txtSymbol_varepsilon": "Variant d’èpsilon", "PE.Controllers.Toolbar.txtSymbol_varphi": "Variant Pi", "PE.Controllers.Toolbar.txtSymbol_varpi": "Variant Pi", - "PE.Controllers.Toolbar.txtSymbol_varrho": "Variant Ro", + "PE.Controllers.Toolbar.txtSymbol_varrho": "Variant Rho", "PE.Controllers.Toolbar.txtSymbol_varsigma": "Variant Sigma", "PE.Controllers.Toolbar.txtSymbol_vartheta": "Variant Zeta", "PE.Controllers.Toolbar.txtSymbol_vdots": "El·lipsis Vertical", @@ -989,7 +1066,7 @@ "PE.Controllers.Viewport.textFitPage": "Ajustar a la diapositiva", "PE.Controllers.Viewport.textFitWidth": "Ajusta a Amplada", "PE.Views.ChartSettings.textAdvanced": "Mostra la configuració avançada", - "PE.Views.ChartSettings.textChartType": "Canvia el tipus de gràfic", + "PE.Views.ChartSettings.textChartType": "Canviar el tipus de gràfic", "PE.Views.ChartSettings.textEditData": "Editar Dades", "PE.Views.ChartSettings.textHeight": "Alçada", "PE.Views.ChartSettings.textKeepRatio": "Proporcions Constants", @@ -1000,7 +1077,7 @@ "PE.Views.ChartSettingsAdvanced.textAltDescription": "Descripció", "PE.Views.ChartSettingsAdvanced.textAltTip": "La representació alternativa basada en text de la informació d’objectes visuals, que es llegirà a les persones amb deficiències de visió o cognitives per ajudar-les a comprendre millor quina informació hi ha a la imatge, autoforma, gràfic o taula.", "PE.Views.ChartSettingsAdvanced.textAltTitle": "Títol", - "PE.Views.ChartSettingsAdvanced.textTitle": "Gràfic-Configuració Avançada", + "PE.Views.ChartSettingsAdvanced.textTitle": "Diagrama - Configuració avançada", "PE.Views.DateTimeDialog.confirmDefault": "Definiu el format predeterminat per a {0}:\"{1}\"", "PE.Views.DateTimeDialog.textDefault": "Establir com a defecte", "PE.Views.DateTimeDialog.textFormat": "Formats", @@ -1011,12 +1088,12 @@ "PE.Views.DocumentHolder.addCommentText": "Afegir comentari", "PE.Views.DocumentHolder.addToLayoutText": "Afegir a la Maquetació", "PE.Views.DocumentHolder.advancedImageText": "Imatge Configuració Avançada", - "PE.Views.DocumentHolder.advancedParagraphText": "Configuració Avançada de Text", + "PE.Views.DocumentHolder.advancedParagraphText": "Configuració Avançada del Paràgraf", "PE.Views.DocumentHolder.advancedShapeText": "Forma Configuració Avançada", "PE.Views.DocumentHolder.advancedTableText": "Taula Configuració Avançada", "PE.Views.DocumentHolder.alignmentText": "Alineació", "PE.Views.DocumentHolder.belowText": "Abaix", - "PE.Views.DocumentHolder.cellAlignText": "Alineament Vertical Cel·la", + "PE.Views.DocumentHolder.cellAlignText": "Alineament Vertical de Cel·la", "PE.Views.DocumentHolder.cellText": "Cel·la", "PE.Views.DocumentHolder.centerText": "Centre", "PE.Views.DocumentHolder.columnText": "Columna", @@ -1059,7 +1136,7 @@ "PE.Views.DocumentHolder.textArrangeBack": "Enviar a un segon pla", "PE.Views.DocumentHolder.textArrangeBackward": "Envia Endarrere", "PE.Views.DocumentHolder.textArrangeForward": "Portar Endavant", - "PE.Views.DocumentHolder.textArrangeFront": "Porta a Primer pla", + "PE.Views.DocumentHolder.textArrangeFront": "Portar a Primer pla", "PE.Views.DocumentHolder.textCopy": "Copiar", "PE.Views.DocumentHolder.textCrop": "Retallar", "PE.Views.DocumentHolder.textCropFill": "Omplir", @@ -1081,10 +1158,10 @@ "PE.Views.DocumentHolder.textRotate90": "Girar 90° a la dreta", "PE.Views.DocumentHolder.textShapeAlignBottom": "Alineació Inferior", "PE.Views.DocumentHolder.textShapeAlignCenter": "Centrar", - "PE.Views.DocumentHolder.textShapeAlignLeft": "Alinear Esquerra", + "PE.Views.DocumentHolder.textShapeAlignLeft": "Alineació esquerra", "PE.Views.DocumentHolder.textShapeAlignMiddle": "Alinear al Mig", - "PE.Views.DocumentHolder.textShapeAlignRight": "Alinear Dreta", - "PE.Views.DocumentHolder.textShapeAlignTop": "Alinear Superior", + "PE.Views.DocumentHolder.textShapeAlignRight": "Alineació dreta", + "PE.Views.DocumentHolder.textShapeAlignTop": "Alineació superior", "PE.Views.DocumentHolder.textSlideSettings": "Configuració de la Diapositiva", "PE.Views.DocumentHolder.textUndo": "Desfer", "PE.Views.DocumentHolder.tipIsLocked": "Actualment, un altre usuari està editant aquest element.", @@ -1119,12 +1196,12 @@ "PE.Views.DocumentHolder.txtDistribHor": "Distribuïu Horitzontalment", "PE.Views.DocumentHolder.txtDistribVert": "Distribuïu Verticalment", "PE.Views.DocumentHolder.txtDuplicateSlide": "Duplicar Diapositiva", - "PE.Views.DocumentHolder.txtFractionLinear": "Canvia a fracció lineal", - "PE.Views.DocumentHolder.txtFractionSkewed": "Canviar a la fracció inclinada", + "PE.Views.DocumentHolder.txtFractionLinear": "Canviar a fracció lineal", + "PE.Views.DocumentHolder.txtFractionSkewed": "Canviar a fracció inclinada", "PE.Views.DocumentHolder.txtFractionStacked": "Canvia a fracció apilada", "PE.Views.DocumentHolder.txtGroup": "Agrupar", - "PE.Views.DocumentHolder.txtGroupCharOver": "Carrega el text", - "PE.Views.DocumentHolder.txtGroupCharUnder": "Línia sota el tex", + "PE.Views.DocumentHolder.txtGroupCharOver": "Caràcter sobre el text", + "PE.Views.DocumentHolder.txtGroupCharUnder": "Caràcter sota el text", "PE.Views.DocumentHolder.txtHideBottom": "Amagar vora del botó", "PE.Views.DocumentHolder.txtHideBottomLimit": "Amagar límit del botó", "PE.Views.DocumentHolder.txtHideCloseBracket": "Amagar el claudàtor del tancament", @@ -1146,7 +1223,7 @@ "PE.Views.DocumentHolder.txtInsertEqAfter": "Inserir equació després de", "PE.Views.DocumentHolder.txtInsertEqBefore": "Inserir equació abans de", "PE.Views.DocumentHolder.txtKeepTextOnly": "Mantenir sols text", - "PE.Views.DocumentHolder.txtLimitChange": "Canviar els límits de la ubicació", + "PE.Views.DocumentHolder.txtLimitChange": "Canviar límits d'ubicació", "PE.Views.DocumentHolder.txtLimitOver": "Límit damunt del text", "PE.Views.DocumentHolder.txtLimitUnder": "Límit sota el text", "PE.Views.DocumentHolder.txtMatchBrackets": "Relaciona els claudàtors amb l'alçada de l'argument", @@ -1202,12 +1279,13 @@ "PE.Views.FileMenu.btnCreateNewCaption": "Crear Nou", "PE.Views.FileMenu.btnDownloadCaption": "Descarregar com a...", "PE.Views.FileMenu.btnHelpCaption": "Ajuda...", + "PE.Views.FileMenu.btnHistoryCaption": "Historial de versions", "PE.Views.FileMenu.btnInfoCaption": "Info sobre Presentació...", "PE.Views.FileMenu.btnPrintCaption": "Imprimir", "PE.Views.FileMenu.btnProtectCaption": "Protegir", "PE.Views.FileMenu.btnRecentFilesCaption": "Obrir recent...", "PE.Views.FileMenu.btnRenameCaption": "Canvia el nom ...", - "PE.Views.FileMenu.btnReturnCaption": "Anar a la Presentació", + "PE.Views.FileMenu.btnReturnCaption": "Tornar a la presentació", "PE.Views.FileMenu.btnRightsCaption": "Drets d'Accés ...", "PE.Views.FileMenu.btnSaveAsCaption": "Desar com", "PE.Views.FileMenu.btnSaveCaption": "Desar", @@ -1216,7 +1294,7 @@ "PE.Views.FileMenu.btnToEditCaption": "Editar Presentació", "PE.Views.FileMenuPanels.CreateNew.fromBlankText": "De Document en Blanc", "PE.Views.FileMenuPanels.CreateNew.fromTemplateText": "Des d'una Plantilla", - "PE.Views.FileMenuPanels.CreateNew.newDescriptionText": "Creeu una presentació en blanc nova que podreu dissenyar i formatar un cop creada durant l’edició. O bé trieu una de les plantilles per iniciar una presentació d’un determinat tipus o propòsit on ja s’han pre-aplicat alguns estils.", + "PE.Views.FileMenuPanels.CreateNew.newDescriptionText": "Creeu una presentació en blanc nova que podreu estilar i formatar després que es creï durant l'edició. O trieu una de les plantilles per iniciar una presentació d'un cert tipus o propòsit on alguns estils ja s'han aplicat prèviament.", "PE.Views.FileMenuPanels.CreateNew.newDocumentText": "Nova Presentació", "PE.Views.FileMenuPanels.CreateNew.noTemplatesText": "No hi ha plantilles", "PE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Aplicar", @@ -1226,7 +1304,7 @@ "PE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Autor", "PE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Canviar els drets d’accés", "PE.Views.FileMenuPanels.DocumentInfo.txtComment": "Comentari", - "PE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Creació", + "PE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Creat", "PE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Última Modificació Per", "PE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Última Modificació", "PE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Propietari", @@ -1256,7 +1334,7 @@ "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Haureu d’acceptar canvis abans de poder-los veure", "PE.Views.FileMenuPanels.Settings.strFast": "Ràpid", "PE.Views.FileMenuPanels.Settings.strFontRender": "Font Suggerida", - "PE.Views.FileMenuPanels.Settings.strForcesave": "Deseu sempre al servidor (en cas contrari, deseu-lo al servidor quan el tanqueu)", + "PE.Views.FileMenuPanels.Settings.strForcesave": "Afegeix una versió a l'emmagatzematge després de fer clic a Desa o Ctrl+S", "PE.Views.FileMenuPanels.Settings.strInputMode": "Activar els jeroglífics", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Configuració de Macros", "PE.Views.FileMenuPanels.Settings.strPaste": "Tallar, copiar i enganxar", @@ -1264,6 +1342,7 @@ "PE.Views.FileMenuPanels.Settings.strShowChanges": "Canvis de Col·laboració en temps real", "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activar l’opció de correcció ortogràfica", "PE.Views.FileMenuPanels.Settings.strStrict": "Estricte", + "PE.Views.FileMenuPanels.Settings.strTheme": "Tema de la interfície", "PE.Views.FileMenuPanels.Settings.strUnit": "Unitat de Mesura", "PE.Views.FileMenuPanels.Settings.strZoom": "Valor de Zoom Predeterminat", "PE.Views.FileMenuPanels.Settings.text10Minutes": "Cada 10 minuts", @@ -1271,10 +1350,10 @@ "PE.Views.FileMenuPanels.Settings.text5Minutes": "Cada 5 minuts", "PE.Views.FileMenuPanels.Settings.text60Minutes": "Cada Hora", "PE.Views.FileMenuPanels.Settings.textAlignGuides": "Guies d'Alineació", - "PE.Views.FileMenuPanels.Settings.textAutoRecover": "Auto recuperació", + "PE.Views.FileMenuPanels.Settings.textAutoRecover": "Recuperació automàtica", "PE.Views.FileMenuPanels.Settings.textAutoSave": "Guardar Automàticament", "PE.Views.FileMenuPanels.Settings.textDisabled": "Desactivat", - "PE.Views.FileMenuPanels.Settings.textForceSave": "Desar al Servidor", + "PE.Views.FileMenuPanels.Settings.textForceSave": "Desant versions intermèdies", "PE.Views.FileMenuPanels.Settings.textMinute": "Cada Minut", "PE.Views.FileMenuPanels.Settings.txtAll": "Veure Tot", "PE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Opcions de Correcció Automàtica ...", @@ -1285,7 +1364,7 @@ "PE.Views.FileMenuPanels.Settings.txtInch": "Polzada", "PE.Views.FileMenuPanels.Settings.txtInput": "Entrada Alternativa", "PE.Views.FileMenuPanels.Settings.txtLast": "Veure Últims", - "PE.Views.FileMenuPanels.Settings.txtMac": "a OS X", + "PE.Views.FileMenuPanels.Settings.txtMac": "com a OS X", "PE.Views.FileMenuPanels.Settings.txtNative": "Natiu", "PE.Views.FileMenuPanels.Settings.txtProofing": "Prova", "PE.Views.FileMenuPanels.Settings.txtPt": "Punt", @@ -1296,8 +1375,8 @@ "PE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "Desactiveu totes les macros sense una notificació", "PE.Views.FileMenuPanels.Settings.txtWarnMacros": "Mostra la Notificació", "PE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Desactiveu totes les macros amb una notificació", - "PE.Views.FileMenuPanels.Settings.txtWin": "a Windows", - "PE.Views.HeaderFooterDialog.applyAllText": "Aplicar-se a tot", + "PE.Views.FileMenuPanels.Settings.txtWin": "com a Windows", + "PE.Views.HeaderFooterDialog.applyAllText": "Aplicar a tot", "PE.Views.HeaderFooterDialog.applyText": "Aplicar", "PE.Views.HeaderFooterDialog.diffLanguage": "No podeu utilitzar un format de data en un idioma diferent al mestre de diapositives.
Per canviar el màster, feu clic a \"Aplica a tot\" en comptes de \"Aplicar\"", "PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Avis", @@ -1328,6 +1407,7 @@ "PE.Views.HyperlinkSettingsDialog.txtNext": "Següent Diapositiva", "PE.Views.HyperlinkSettingsDialog.txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.example.com\"", "PE.Views.HyperlinkSettingsDialog.txtPrev": "Diapositiva Anterior", + "PE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Aquest camp està limitat a 2083 caràcters", "PE.Views.HyperlinkSettingsDialog.txtSlide": "Diapositiva", "PE.Views.ImageSettings.textAdvanced": "Mostra la configuració avançada", "PE.Views.ImageSettings.textCrop": "Retallar", @@ -1369,7 +1449,7 @@ "PE.Views.ImageSettingsAdvanced.textVertically": "Verticalment", "PE.Views.ImageSettingsAdvanced.textWidth": "Amplada", "PE.Views.LeftMenu.tipAbout": "Sobre", - "PE.Views.LeftMenu.tipChat": "Chat", + "PE.Views.LeftMenu.tipChat": "Xat", "PE.Views.LeftMenu.tipComments": "Comentaris", "PE.Views.LeftMenu.tipPlugins": "Connectors", "PE.Views.LeftMenu.tipSearch": "Cerca", @@ -1377,19 +1457,21 @@ "PE.Views.LeftMenu.tipSupport": "Opinió & Suport", "PE.Views.LeftMenu.tipTitles": "Títols", "PE.Views.LeftMenu.txtDeveloper": "MODALITAT DE DESENVOLUPADOR", + "PE.Views.LeftMenu.txtLimit": "Limitar l'accés", "PE.Views.LeftMenu.txtTrial": "ESTAT DE PROVA", + "PE.Views.LeftMenu.txtTrialDev": "Mode de desenvolupador de prova", "PE.Views.ParagraphSettings.strLineHeight": "Espai entre Línies", "PE.Views.ParagraphSettings.strParagraphSpacing": "Espaiat de Paràgraf", "PE.Views.ParagraphSettings.strSpacingAfter": "Després", "PE.Views.ParagraphSettings.strSpacingBefore": "Abans", "PE.Views.ParagraphSettings.textAdvanced": "Mostra la configuració avançada", - "PE.Views.ParagraphSettings.textAt": "a", + "PE.Views.ParagraphSettings.textAt": "A", "PE.Views.ParagraphSettings.textAtLeast": "Al menys", "PE.Views.ParagraphSettings.textAuto": "Múltiples", "PE.Views.ParagraphSettings.textExact": "Exacte", - "PE.Views.ParagraphSettings.txtAutoText": "Auto", + "PE.Views.ParagraphSettings.txtAutoText": "Automàtic", "PE.Views.ParagraphSettingsAdvanced.noTabs": "Les pestanyes especificades apareixeran en aquest camp", - "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Majúscules ", + "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Tot majúscules", "PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Doble ratllat", "PE.Views.ParagraphSettingsAdvanced.strIndent": "Retirades", "PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Esquerra", @@ -1408,7 +1490,7 @@ "PE.Views.ParagraphSettingsAdvanced.strTabs": "Pestanya", "PE.Views.ParagraphSettingsAdvanced.textAlign": "Alineació", "PE.Views.ParagraphSettingsAdvanced.textAuto": "Múltiples", - "PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Caràcter Espai", + "PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Espaiat de caràcters", "PE.Views.ParagraphSettingsAdvanced.textDefault": "Pestanya predeterminada", "PE.Views.ParagraphSettingsAdvanced.textEffects": "Efectes", "PE.Views.ParagraphSettingsAdvanced.textExact": "Exactament", @@ -1424,16 +1506,16 @@ "PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Posició de Pestanya", "PE.Views.ParagraphSettingsAdvanced.textTabRight": "Dreta", "PE.Views.ParagraphSettingsAdvanced.textTitle": "Paràgraf - Configuració Avançada", - "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto", - "PE.Views.RightMenu.txtChartSettings": "Gràfic Configuració", + "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automàtic", + "PE.Views.RightMenu.txtChartSettings": "Paràmetres del diagrama", "PE.Views.RightMenu.txtImageSettings": "Configuració Imatge", - "PE.Views.RightMenu.txtParagraphSettings": "Configuració de text", + "PE.Views.RightMenu.txtParagraphSettings": "Configuració de paràgraf", "PE.Views.RightMenu.txtShapeSettings": "Configuració de la Forma", "PE.Views.RightMenu.txtSignatureSettings": "Configuració de la Firma", "PE.Views.RightMenu.txtSlideSettings": "Configuració de la Diapositiva", "PE.Views.RightMenu.txtTableSettings": "Configuració de la taula", "PE.Views.RightMenu.txtTextArtSettings": "Configuració de l'Art de Text", - "PE.Views.ShapeSettings.strBackground": "Color de Fons", + "PE.Views.ShapeSettings.strBackground": "Color de fons", "PE.Views.ShapeSettings.strChange": "Canvia la forma automàtica", "PE.Views.ShapeSettings.strColor": "Color", "PE.Views.ShapeSettings.strFill": "Omplir", @@ -1441,13 +1523,13 @@ "PE.Views.ShapeSettings.strPattern": "Patró", "PE.Views.ShapeSettings.strShadow": "Mostra ombra", "PE.Views.ShapeSettings.strSize": "Mida", - "PE.Views.ShapeSettings.strStroke": "Traça", + "PE.Views.ShapeSettings.strStroke": "Línia", "PE.Views.ShapeSettings.strTransparency": "Opacitat", "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 és incorrecte.
Introduïu un valor entre 0 pt i 1584 pt.", - "PE.Views.ShapeSettings.textColor": "Omplir de Color", + "PE.Views.ShapeSettings.textColor": "Color de farciment", "PE.Views.ShapeSettings.textDirection": "Direcció", "PE.Views.ShapeSettings.textEmptyPattern": "Sense Patró", "PE.Views.ShapeSettings.textFlip": "Voltejar", @@ -1496,7 +1578,7 @@ "PE.Views.ShapeSettingsAdvanced.textAltTitle": "Títol", "PE.Views.ShapeSettingsAdvanced.textAngle": "Angle", "PE.Views.ShapeSettingsAdvanced.textArrows": "Fletxes", - "PE.Views.ShapeSettingsAdvanced.textAutofit": "AutoFit", + "PE.Views.ShapeSettingsAdvanced.textAutofit": "\nAjustar automàticament", "PE.Views.ShapeSettingsAdvanced.textBeginSize": "Mida Inicial", "PE.Views.ShapeSettingsAdvanced.textBeginStyle": "Estil d’Inici", "PE.Views.ShapeSettingsAdvanced.textBevel": "Bisell", @@ -1539,9 +1621,10 @@ "PE.Views.SignatureSettings.strValid": "Signatures vàlides", "PE.Views.SignatureSettings.txtContinueEditing": "Editar de totes maneres", "PE.Views.SignatureSettings.txtEditWarning": "L’edició eliminarà les signatures de la presentació.
Esteu segur que voleu continuar?", + "PE.Views.SignatureSettings.txtRemoveWarning": "Voleu eliminar aquesta signatura?
Això no es podrà desfer.", "PE.Views.SignatureSettings.txtSigned": "S'han afegit signatures vàlides a la presentació. La presentació està protegida de l'edició.", "PE.Views.SignatureSettings.txtSignedInvalid": "Algunes de les signatures digitals presentades no són vàlides o no es van poder verificar. La presentació està protegida de l'edició.", - "PE.Views.SlideSettings.strBackground": "Color de Fons", + "PE.Views.SlideSettings.strBackground": "Color de fons", "PE.Views.SlideSettings.strColor": "Color", "PE.Views.SlideSettings.strDateTime": "Mostrar Data i Hora", "PE.Views.SlideSettings.strDelay": "Retard", @@ -1552,6 +1635,7 @@ "PE.Views.SlideSettings.strPattern": "Patró", "PE.Views.SlideSettings.strSlideNum": "Mostra el Número de Diapositiva", "PE.Views.SlideSettings.strStartOnClick": "Arrancar Amb Clic", + "PE.Views.SlideSettings.strTransparency": "Opacitat", "PE.Views.SlideSettings.textAdvanced": "Mostra la configuració avançada", "PE.Views.SlideSettings.textAngle": "Angle", "PE.Views.SlideSettings.textApplyAll": "Aplicar a Totes les Diapositives", @@ -1560,8 +1644,8 @@ "PE.Views.SlideSettings.textBottomLeft": "Inferior esquerra", "PE.Views.SlideSettings.textBottomRight": "Inferior dreta", "PE.Views.SlideSettings.textClock": "Rellotge", - "PE.Views.SlideSettings.textClockwise": "En el sentit de les agulles del rellotge", - "PE.Views.SlideSettings.textColor": "Omplir de Color", + "PE.Views.SlideSettings.textClockwise": "En sentit horari", + "PE.Views.SlideSettings.textColor": "Color de farciment", "PE.Views.SlideSettings.textCounterclockwise": "En sentit antihorari", "PE.Views.SlideSettings.textCover": "Cobrir", "PE.Views.SlideSettings.textDirection": "Direcció", @@ -1632,14 +1716,15 @@ "PE.Views.SlideSizeSettings.txt35": "35 mm Diapositives", "PE.Views.SlideSizeSettings.txtA3": "A3 Full (297x420 mm)", "PE.Views.SlideSizeSettings.txtA4": "A4 Full (210x297 mm)", - "PE.Views.SlideSizeSettings.txtB4": "B4 Full (ICO) (250x353 mm)", - "PE.Views.SlideSizeSettings.txtB5": "B5 Full (ICO) (176x250 mm)", - "PE.Views.SlideSizeSettings.txtBanner": "Banner", + "PE.Views.SlideSizeSettings.txtB4": "Paper B4 (ICO)(250x353 mm)", + "PE.Views.SlideSizeSettings.txtB5": "Paper B5 (ICO)(176x250 mm)", + "PE.Views.SlideSizeSettings.txtBanner": "Bàner", "PE.Views.SlideSizeSettings.txtCustom": "Personalitzat", "PE.Views.SlideSizeSettings.txtLedger": "Paper de Comptabilitat (11x17 en)", "PE.Views.SlideSizeSettings.txtLetter": "Paper de Carta (8.5x11 en)", "PE.Views.SlideSizeSettings.txtOverhead": "Transparència", "PE.Views.SlideSizeSettings.txtStandard": "Estàndard (4:3)", + "PE.Views.SlideSizeSettings.txtWidescreen": "Pantalla ampla", "PE.Views.Statusbar.goToPageText": "Anar a Diapositiva", "PE.Views.Statusbar.pageIndexText": "Diapositiva {0} de {1}", "PE.Views.Statusbar.textShowBegin": "Mostrar presentació des de el principi", @@ -1669,10 +1754,10 @@ "PE.Views.TableSettings.splitCellsText": "Dividir Cel·la...", "PE.Views.TableSettings.splitCellTitleText": "Dividir Cel·la", "PE.Views.TableSettings.textAdvanced": "Mostra la configuració avançada", - "PE.Views.TableSettings.textBackColor": "Color de Fons", - "PE.Views.TableSettings.textBanded": "Bandat", + "PE.Views.TableSettings.textBackColor": "Color de fons", + "PE.Views.TableSettings.textBanded": "Bandejat", "PE.Views.TableSettings.textBorderColor": "Color", - "PE.Views.TableSettings.textBorders": "Estil de la Vora", + "PE.Views.TableSettings.textBorders": "Estil de Vores", "PE.Views.TableSettings.textCellSize": "Mida Cel·la", "PE.Views.TableSettings.textColumns": "Columnes", "PE.Views.TableSettings.textDistributeCols": "Distribuïu les columnes", @@ -1720,18 +1805,18 @@ "PE.Views.TableSettingsAdvanced.textTitle": "Taula - Configuració Avançada", "PE.Views.TableSettingsAdvanced.textTop": "Superior", "PE.Views.TableSettingsAdvanced.textWidthSpaces": "Marges", - "PE.Views.TextArtSettings.strBackground": "Color de Fons", + "PE.Views.TextArtSettings.strBackground": "Color de fons", "PE.Views.TextArtSettings.strColor": "Color", "PE.Views.TextArtSettings.strFill": "Omplir", "PE.Views.TextArtSettings.strForeground": "Color de Primer Pla", "PE.Views.TextArtSettings.strPattern": "Patró", "PE.Views.TextArtSettings.strSize": "Mida", - "PE.Views.TextArtSettings.strStroke": "Traça", + "PE.Views.TextArtSettings.strStroke": "Línia", "PE.Views.TextArtSettings.strTransparency": "Opacitat", "PE.Views.TextArtSettings.strType": "Tipus", "PE.Views.TextArtSettings.textAngle": "Angle", "PE.Views.TextArtSettings.textBorderSizeErr": "El valor introduït és incorrecte.
Introduïu un valor entre 0 pt i 1584 pt.", - "PE.Views.TextArtSettings.textColor": "Omplir de Color", + "PE.Views.TextArtSettings.textColor": "Color de farciment", "PE.Views.TextArtSettings.textDirection": "Direcció", "PE.Views.TextArtSettings.textEmptyPattern": "Sense Patró", "PE.Views.TextArtSettings.textFromFile": "Des d'un fitxer", @@ -1784,13 +1869,19 @@ "PE.Views.Toolbar.capTabFile": "Fitxer", "PE.Views.Toolbar.capTabHome": "Inici", "PE.Views.Toolbar.capTabInsert": "Insertar", + "PE.Views.Toolbar.mniCapitalizeWords": "Posar en majúscules cada paraula", "PE.Views.Toolbar.mniCustomTable": "Inserir Taula Personalitzada", "PE.Views.Toolbar.mniImageFromFile": "Imatge d'un Fitxer", "PE.Views.Toolbar.mniImageFromStorage": "Imatge d'un Magatzem", "PE.Views.Toolbar.mniImageFromUrl": "Imatge d'un Enllaç", + "PE.Views.Toolbar.mniLowerCase": "minúscules", + "PE.Views.Toolbar.mniSentenceCase": "Cas de frase", "PE.Views.Toolbar.mniSlideAdvanced": "Configuració Avançada", "PE.Views.Toolbar.mniSlideStandard": "Estàndard (4:3)", "PE.Views.Toolbar.mniSlideWide": "Pantalla ampla (16:9)", + "PE.Views.Toolbar.mniToggleCase": "iNVERTIR mAJÚSCULES", + "PE.Views.Toolbar.mniUpperCase": "MAJÚSCULES", + "PE.Views.Toolbar.strMenuNoFill": "Sense Farciment", "PE.Views.Toolbar.textAlignBottom": "Alinear text en la part superior", "PE.Views.Toolbar.textAlignCenter": "Centrar text", "PE.Views.Toolbar.textAlignJust": "Justificar", @@ -1801,17 +1892,21 @@ "PE.Views.Toolbar.textArrangeBack": "Enviar a un segon pla", "PE.Views.Toolbar.textArrangeBackward": "Envia Endarrere", "PE.Views.Toolbar.textArrangeForward": "Portar Endavant", - "PE.Views.Toolbar.textArrangeFront": "Porta a Primer pla", + "PE.Views.Toolbar.textArrangeFront": "Portar a Primer pla", "PE.Views.Toolbar.textBold": "Negreta", + "PE.Views.Toolbar.textColumnsCustom": "Columnes Personalitzades", + "PE.Views.Toolbar.textColumnsOne": "Una columna", + "PE.Views.Toolbar.textColumnsThree": "Tres columnes", + "PE.Views.Toolbar.textColumnsTwo": "Dues columnes", "PE.Views.Toolbar.textItalic": "Itàlica", "PE.Views.Toolbar.textListSettings": "Configuració de la Llista", - "PE.Views.Toolbar.textNewColor": "Color Personalitzat", + "PE.Views.Toolbar.textNewColor": "Afegir Nou Color Personalitzat", "PE.Views.Toolbar.textShapeAlignBottom": "Alineació Inferior", "PE.Views.Toolbar.textShapeAlignCenter": "Centrar", - "PE.Views.Toolbar.textShapeAlignLeft": "Alinear Esquerra", + "PE.Views.Toolbar.textShapeAlignLeft": "Alineació esquerra", "PE.Views.Toolbar.textShapeAlignMiddle": "Alinear al Mig", - "PE.Views.Toolbar.textShapeAlignRight": "Alinear Dreta", - "PE.Views.Toolbar.textShapeAlignTop": "Alinear Superior", + "PE.Views.Toolbar.textShapeAlignRight": "Alineació dreta", + "PE.Views.Toolbar.textShapeAlignTop": "Alineació superior", "PE.Views.Toolbar.textShowBegin": "Mostrar presentació des de el principi", "PE.Views.Toolbar.textShowCurrent": "Mostrar la Diapositiva Actual", "PE.Views.Toolbar.textShowPresenterView": "Veure Vista del Presentador", @@ -1828,19 +1923,24 @@ "PE.Views.Toolbar.textUnderline": "Subratllar", "PE.Views.Toolbar.tipAddSlide": "Afegir diapositiva", "PE.Views.Toolbar.tipBack": "Enrere", - "PE.Views.Toolbar.tipChangeChart": "Canvia el tipus de gràfic", + "PE.Views.Toolbar.tipChangeCase": "Canviar el cas", + "PE.Views.Toolbar.tipChangeChart": "Canviar el tipus de gràfic", "PE.Views.Toolbar.tipChangeSlide": "Canviar disseny de diapositiva", - "PE.Views.Toolbar.tipClearStyle": "Estil clar", - "PE.Views.Toolbar.tipColorSchemas": "Canviar el esquema de color", + "PE.Views.Toolbar.tipClearStyle": "Neteja l'estil", + "PE.Views.Toolbar.tipColorSchemas": "Canviar l'esquema de color", + "PE.Views.Toolbar.tipColumns": "Inserir columnes", "PE.Views.Toolbar.tipCopy": "Copiar", "PE.Views.Toolbar.tipCopyStyle": "Copiar estil", "PE.Views.Toolbar.tipDateTime": "Inseriu la data i l'hora actuals", + "PE.Views.Toolbar.tipDecFont": "Reduir la mida de la lletra", "PE.Views.Toolbar.tipDecPrLeft": "Disminuir el sagnat", "PE.Views.Toolbar.tipEditHeader": "Editar el peu de pàgina", "PE.Views.Toolbar.tipFontColor": "Color de Font", "PE.Views.Toolbar.tipFontName": "Font", "PE.Views.Toolbar.tipFontSize": "Mida de Font", "PE.Views.Toolbar.tipHAligh": "Alineació Horitzontal", + "PE.Views.Toolbar.tipHighlightColor": "Color de ressaltat", + "PE.Views.Toolbar.tipIncFont": "Augmentar la mida de la lletra", "PE.Views.Toolbar.tipIncPrLeft": "Augmentar el sagnat", "PE.Views.Toolbar.tipInsertAudio": "Inseriu àudio", "PE.Views.Toolbar.tipInsertChart": "Inseriu Gràfic", diff --git a/apps/presentationeditor/main/locale/de.json b/apps/presentationeditor/main/locale/de.json index 2b2e31d2d..ecb8cd9db 100644 --- a/apps/presentationeditor/main/locale/de.json +++ b/apps/presentationeditor/main/locale/de.json @@ -156,7 +156,7 @@ "Common.Views.Header.textBack": "Dateispeicherort öffnen", "Common.Views.Header.textCompactView": "Symbolleiste ausblenden", "Common.Views.Header.textHideLines": "Lineale verbergen", - "Common.Views.Header.textHideNotes": "Hinweise ausblenden", + "Common.Views.Header.textHideNotes": "Notizen ausblenden", "Common.Views.Header.textHideStatusBar": "Statusleiste verbergen", "Common.Views.Header.textRemoveFavorite": "Aus Favoriten entfernen", "Common.Views.Header.textSaveBegin": "Speicherung...", @@ -715,7 +715,7 @@ "PE.Controllers.Main.unsupportedBrowserErrorText": "Ihr Webbrowser wird nicht unterstützt.", "PE.Controllers.Main.uploadImageExtMessage": "Unbekanntes Bildformat.", "PE.Controllers.Main.uploadImageFileCountMessage": "Keine Bilder hochgeladen.", - "PE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße ist überschritten.", + "PE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten.", "PE.Controllers.Main.uploadImageTextText": "Bild wird hochgeladen...", "PE.Controllers.Main.uploadImageTitleText": "Bild wird hochgeladen", "PE.Controllers.Main.waitText": "Bitte warten...", diff --git a/apps/presentationeditor/main/locale/en.json b/apps/presentationeditor/main/locale/en.json index 922388c7c..41c4ac979 100644 --- a/apps/presentationeditor/main/locale/en.json +++ b/apps/presentationeditor/main/locale/en.json @@ -715,7 +715,7 @@ "PE.Controllers.Main.unsupportedBrowserErrorText": "Your browser is not supported.", "PE.Controllers.Main.uploadImageExtMessage": "Unknown image format.", "PE.Controllers.Main.uploadImageFileCountMessage": "No images uploaded.", - "PE.Controllers.Main.uploadImageSizeMessage": "Maximum image size limit exceeded.", + "PE.Controllers.Main.uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", "PE.Controllers.Main.uploadImageTextText": "Uploading image...", "PE.Controllers.Main.uploadImageTitleText": "Uploading Image", "PE.Controllers.Main.waitText": "Please, wait...", diff --git a/apps/presentationeditor/main/locale/es.json b/apps/presentationeditor/main/locale/es.json index 69f1d3545..1cd10a051 100644 --- a/apps/presentationeditor/main/locale/es.json +++ b/apps/presentationeditor/main/locale/es.json @@ -715,7 +715,7 @@ "PE.Controllers.Main.unsupportedBrowserErrorText": "Su navegador no está soportado.", "PE.Controllers.Main.uploadImageExtMessage": "Formato de imagen desconocido.", "PE.Controllers.Main.uploadImageFileCountMessage": "No hay imágenes subidas.", - "PE.Controllers.Main.uploadImageSizeMessage": "Tamaño máximo de imagen está superado.", + "PE.Controllers.Main.uploadImageSizeMessage": "La imagen es demasiado grande. El tamaño máximo es de 25 MB.", "PE.Controllers.Main.uploadImageTextText": "Subiendo imagen...", "PE.Controllers.Main.uploadImageTitleText": "Subiendo imagen", "PE.Controllers.Main.waitText": "Por favor, espere...", diff --git a/apps/presentationeditor/main/locale/it.json b/apps/presentationeditor/main/locale/it.json index e31ecf2e5..4d5ba0812 100644 --- a/apps/presentationeditor/main/locale/it.json +++ b/apps/presentationeditor/main/locale/it.json @@ -715,7 +715,7 @@ "PE.Controllers.Main.unsupportedBrowserErrorText": "Il tuo browser non è supportato.", "PE.Controllers.Main.uploadImageExtMessage": "Formato immagine sconosciuto.", "PE.Controllers.Main.uploadImageFileCountMessage": "Nessuna immagine caricata.", - "PE.Controllers.Main.uploadImageSizeMessage": "È stata superata la dimensione massima dell'immagine.", + "PE.Controllers.Main.uploadImageSizeMessage": "L'immagine è troppo grande. La dimensione massima è 25 MB.", "PE.Controllers.Main.uploadImageTextText": "Caricamento immagine in corso...", "PE.Controllers.Main.uploadImageTitleText": "Caricamento dell'immagine", "PE.Controllers.Main.waitText": "Per favore, attendi...", @@ -1088,7 +1088,7 @@ "PE.Views.DocumentHolder.addCommentText": "Aggiungi commento", "PE.Views.DocumentHolder.addToLayoutText": "Aggiungi al layout", "PE.Views.DocumentHolder.advancedImageText": "Impostazioni avanzate dell'immagine", - "PE.Views.DocumentHolder.advancedParagraphText": "Impostazioni avanzate testo", + "PE.Views.DocumentHolder.advancedParagraphText": "Impostazioni avanzate del paragrafo", "PE.Views.DocumentHolder.advancedShapeText": "Impostazioni avanzate forma", "PE.Views.DocumentHolder.advancedTableText": "Impostazioni avanzate della tabella", "PE.Views.DocumentHolder.alignmentText": "Allineamento", @@ -1334,7 +1334,7 @@ "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Dovrai accettare i cambiamenti prima di poterli visualizzare.", "PE.Views.FileMenuPanels.Settings.strFast": "Rapido", "PE.Views.FileMenuPanels.Settings.strFontRender": "Suggerimento per i caratteri", - "PE.Views.FileMenuPanels.Settings.strForcesave": "Salva sempre sul server (altrimenti salva sul server alla chiusura del documento)", + "PE.Views.FileMenuPanels.Settings.strForcesave": "‎Aggiungere versione al salvataggio dopo aver fatto clic su Salva o CTRL+S‎", "PE.Views.FileMenuPanels.Settings.strInputMode": "Attiva geroglifici", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Impostazioni macro", "PE.Views.FileMenuPanels.Settings.strPaste": "Taglia, copia e incolla", @@ -1353,7 +1353,7 @@ "PE.Views.FileMenuPanels.Settings.textAutoRecover": "Recupero automatico", "PE.Views.FileMenuPanels.Settings.textAutoSave": "Salvataggio automatico", "PE.Views.FileMenuPanels.Settings.textDisabled": "Disattivato", - "PE.Views.FileMenuPanels.Settings.textForceSave": "Salva sul server", + "PE.Views.FileMenuPanels.Settings.textForceSave": "Salva versioni intermedie", "PE.Views.FileMenuPanels.Settings.textMinute": "Ogni minuto", "PE.Views.FileMenuPanels.Settings.txtAll": "Tutte", "PE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Opzioni di correzione automatica ...", @@ -1509,7 +1509,7 @@ "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Auto", "PE.Views.RightMenu.txtChartSettings": "Impostazioni grafico", "PE.Views.RightMenu.txtImageSettings": "Impostazioni immagine", - "PE.Views.RightMenu.txtParagraphSettings": "Impostazioni testo", + "PE.Views.RightMenu.txtParagraphSettings": "Impostazioni paragrafo", "PE.Views.RightMenu.txtShapeSettings": "Impostazioni forma", "PE.Views.RightMenu.txtSignatureSettings": "Impostazioni della Firma", "PE.Views.RightMenu.txtSlideSettings": "Impostazioni diapositiva", diff --git a/apps/presentationeditor/main/locale/nl.json b/apps/presentationeditor/main/locale/nl.json index 0d6080230..5543ae087 100644 --- a/apps/presentationeditor/main/locale/nl.json +++ b/apps/presentationeditor/main/locale/nl.json @@ -48,6 +48,8 @@ "Common.define.chartData.textStock": "Voorraad", "Common.define.chartData.textSurface": "Oppervlak", "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", "Common.UI.ColorButton.textAutoColor": "Automatisch", "Common.UI.ColorButton.textNewColor": "Nieuwe aangepaste kleur toevoegen", "Common.UI.ComboBorderSize.txtNoBorders": "Geen randen", @@ -73,6 +75,9 @@ "Common.UI.SynchronizeTip.textSynchronize": "Het document is gewijzigd door een andere gebruiker.
Klik om uw wijzigingen op te slaan en de updates opnieuw te laden.", "Common.UI.ThemeColorPalette.textStandartColors": "Standaardkleuren", "Common.UI.ThemeColorPalette.textThemeColors": "Themakleuren", + "Common.UI.Themes.txtThemeClassicLight": "Klassiek Licht", + "Common.UI.Themes.txtThemeDark": "Donker", + "Common.UI.Themes.txtThemeLight": "Licht", "Common.UI.Window.cancelButtonText": "Annuleren", "Common.UI.Window.closeButtonText": "Sluiten", "Common.UI.Window.noButtonText": "Nee", @@ -94,10 +99,12 @@ "Common.Views.About.txtVersion": "Versie", "Common.Views.AutoCorrectDialog.textAdd": "Toevoegen", "Common.Views.AutoCorrectDialog.textApplyText": "Toepassen terwijl u typt", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Auto correctie", "Common.Views.AutoCorrectDialog.textAutoFormat": "AutoOpmaak terwijl u typt", "Common.Views.AutoCorrectDialog.textBulleted": "Automatische lijsten met opsommingstekens", "Common.Views.AutoCorrectDialog.textBy": "Door", "Common.Views.AutoCorrectDialog.textDelete": "Verwijderen", + "Common.Views.AutoCorrectDialog.textFLSentence": "Maak de eerste letter van de zin hoofdletter", "Common.Views.AutoCorrectDialog.textHyphens": "Koppeltekens (--) met streepje (—)", "Common.Views.AutoCorrectDialog.textMathCorrect": "Wiskundige autocorrectie", "Common.Views.AutoCorrectDialog.textNumbered": "Automatische genummerde lijsten", @@ -149,6 +156,7 @@ "Common.Views.Header.textBack": "Naar documenten", "Common.Views.Header.textCompactView": "Werkbalk Verbergen", "Common.Views.Header.textHideLines": "Linialen verbergen", + "Common.Views.Header.textHideNotes": "Verberg notities", "Common.Views.Header.textHideStatusBar": "Statusbalk verbergen", "Common.Views.Header.textRemoveFavorite": "Verwijder uit favorieten", "Common.Views.Header.textSaveBegin": "Opslaan...", @@ -234,6 +242,8 @@ "Common.Views.ReviewChanges.tipCoAuthMode": "Zet samenwerkings modus", "Common.Views.ReviewChanges.tipCommentRem": "Alle opmerkingen verwijderen", "Common.Views.ReviewChanges.tipCommentRemCurrent": "Verwijder huidige opmerking", + "Common.Views.ReviewChanges.tipCommentResolve": "Oplossen van opmerkingen", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Oplossen van huidige opmerkingen", "Common.Views.ReviewChanges.tipHistory": "Toon versie geschiedenis", "Common.Views.ReviewChanges.tipRejectCurrent": "Huidige wijziging afwijzen", "Common.Views.ReviewChanges.tipReview": "Wijzigingen bijhouden", @@ -253,6 +263,11 @@ "Common.Views.ReviewChanges.txtCommentRemMy": "Verwijder al mijn commentaar", "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Verwijder mijn huidige opmerkingen", "Common.Views.ReviewChanges.txtCommentRemove": "Verwijderen", + "Common.Views.ReviewChanges.txtCommentResolve": "Oplossen", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Alle opmerkingen oplossen", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Oplossen van huidige opmerkingen", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Los mijn opmerkingen op", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Mijn huidige opmerkingen oplossen", "Common.Views.ReviewChanges.txtDocLang": "Taal", "Common.Views.ReviewChanges.txtFinal": "Alle veranderingen geaccepteerd (Voorbeeld)", "Common.Views.ReviewChanges.txtFinalCap": "Einde", @@ -339,9 +354,11 @@ "Common.Views.UserNameDialog.textDontShow": "Vraag me niet nog een keer ", "Common.Views.UserNameDialog.textLabel": "Label:", "Common.Views.UserNameDialog.textLabelError": "Label mag niet leeg zijn", + "PE.Controllers.LeftMenu.leavePageText": "Alle niet-opgeslagen wijzigingen in dit document gaan verloren.
Klik op \"Annuleren\" en dan op \"Opslaan\" om ze op te slaan. Klik op \"OK\" om alle niet-opgeslagen wijzigingen te verwijderen.", "PE.Controllers.LeftMenu.newDocumentTitle": "Presentatie zonder naam", "PE.Controllers.LeftMenu.notcriticalErrorTitle": "Waarschuwing", "PE.Controllers.LeftMenu.requestEditRightsText": "Bewerkrechten worden aangevraagd...", + "PE.Controllers.LeftMenu.textLoadHistory": "Versiehistorie wordt geladen...", "PE.Controllers.LeftMenu.textNoTextFound": "De gegevens waarnaar u zoekt, zijn niet gevonden. Pas uw zoekopties aan.", "PE.Controllers.LeftMenu.textReplaceSkipped": "De vervanging is uitgevoerd. {0} gevallen zijn overgeslagen.", "PE.Controllers.LeftMenu.textReplaceSuccess": "De zoekactie is uitgevoerd. Vervangen items: {0}", @@ -386,6 +403,7 @@ "PE.Controllers.Main.errorUsersExceed": "Het onder het prijsplan toegestane aantal gebruikers is overschreden", "PE.Controllers.Main.errorViewerDisconnect": "Verbinding is verbroken. U kunt het document nog wel bekijken,
maar u kunt het pas downloaden of afdrukken als de verbinding is hersteld.", "PE.Controllers.Main.leavePageText": "Er zijn niet-opgeslagen wijzigingen in deze presentatie. Klik op \"Op deze pagina blijven\" en dan op \"Opslaan\" om de wijzigingen op te slaan. Klik op \"Pagina verlaten\" om de niet-opgeslagen wijzigingen te negeren.", + "PE.Controllers.Main.leavePageTextOnClose": "Alle niet-opgeslagen wijzigingen in deze presentatie gaan verloren.
Klik op \"Annuleren\" en dan op \"Opslaan\" om ze op te slaan. Klik op \"OK\" om alle niet-opgeslagen wijzigingen te verwijderen.", "PE.Controllers.Main.loadFontsTextText": "Gegevens worden geladen...", "PE.Controllers.Main.loadFontsTitleText": "Gegevens worden geladen", "PE.Controllers.Main.loadFontTextText": "Gegevens worden geladen...", @@ -436,6 +454,7 @@ "PE.Controllers.Main.textShape": "Vorm", "PE.Controllers.Main.textStrict": "Strikte modus", "PE.Controllers.Main.textTryUndoRedo": "De functies Ongedaan maken/Opnieuw worden uitgeschakeld in de modus Snel gezamenlijk bewerken.
Klik op de knop 'Strikte modus' om over te schakelen naar de strikte modus voor gezamenlijk bewerken. U kunt het bestand dan zonder interferentie van andere gebruikers bewerken en uw wijzigingen verzenden wanneer u die opslaat. U kunt schakelen tussen de modi voor gezamenlijke bewerking via Geavanceerde instellingen van de editor.", + "PE.Controllers.Main.textTryUndoRedoWarn": "De functies Ongedaan maken/Annuleren zijn uitgeschakeld in de modus Snel meewerken.", "PE.Controllers.Main.titleLicenseExp": "Licentie vervallen", "PE.Controllers.Main.titleServerVersion": "Editor bijgewerkt", "PE.Controllers.Main.txtAddFirstSlide": "Klik om de eerste slide te maken", @@ -450,6 +469,7 @@ "PE.Controllers.Main.txtDiagram": "SmartArt", "PE.Controllers.Main.txtDiagramTitle": "Grafiektitel", "PE.Controllers.Main.txtEditingMode": "Bewerkmodus instellen...", + "PE.Controllers.Main.txtErrorLoadHistory": "Geschiedenis laden mislukt", "PE.Controllers.Main.txtFiguredArrows": "Pijlvormen", "PE.Controllers.Main.txtFooter": "Voettekst", "PE.Controllers.Main.txtHeader": "Koptekst", @@ -459,6 +479,7 @@ "PE.Controllers.Main.txtMath": "Wiskunde", "PE.Controllers.Main.txtMedia": "Media", "PE.Controllers.Main.txtNeedSynchronize": "U hebt updates", + "PE.Controllers.Main.txtNone": "Geen", "PE.Controllers.Main.txtPicture": "Afbeelding", "PE.Controllers.Main.txtRectangles": "Rechthoeken", "PE.Controllers.Main.txtSeries": "Serie", @@ -1258,6 +1279,7 @@ "PE.Views.FileMenu.btnCreateNewCaption": "Nieuw maken", "PE.Views.FileMenu.btnDownloadCaption": "Downloaden als...", "PE.Views.FileMenu.btnHelpCaption": "Help...", + "PE.Views.FileMenu.btnHistoryCaption": "Versie geschiedenis", "PE.Views.FileMenu.btnInfoCaption": "Info over presentatie...", "PE.Views.FileMenu.btnPrintCaption": "Afdrukken", "PE.Views.FileMenu.btnProtectCaption": "Beveilig", @@ -1385,6 +1407,7 @@ "PE.Views.HyperlinkSettingsDialog.txtNext": "Volgende dia", "PE.Views.HyperlinkSettingsDialog.txtNotUrl": "Dit veld moet een URL in de notatie \"http://www.voorbeeld.com\" bevatten", "PE.Views.HyperlinkSettingsDialog.txtPrev": "Vorige dia", + "PE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Dit veld is beperkt tot 2083 tekens", "PE.Views.HyperlinkSettingsDialog.txtSlide": "Dia", "PE.Views.ImageSettings.textAdvanced": "Geavanceerde instellingen tonen", "PE.Views.ImageSettings.textCrop": "Uitsnijden", @@ -1900,7 +1923,7 @@ "PE.Views.Toolbar.textUnderline": "Onderstrepen", "PE.Views.Toolbar.tipAddSlide": "Dia toevoegen", "PE.Views.Toolbar.tipBack": "Terug", - "PE.Views.Toolbar.tipChangeCase": "Verander lettertype", + "PE.Views.Toolbar.tipChangeCase": "Verander geval", "PE.Views.Toolbar.tipChangeChart": "Grafiektype wijzigen", "PE.Views.Toolbar.tipChangeSlide": "Dia-indeling wijzigen", "PE.Views.Toolbar.tipClearStyle": "Stijl wissen", diff --git a/apps/presentationeditor/main/locale/pt.json b/apps/presentationeditor/main/locale/pt.json index 53d18946d..1c7906908 100644 --- a/apps/presentationeditor/main/locale/pt.json +++ b/apps/presentationeditor/main/locale/pt.json @@ -715,7 +715,7 @@ "PE.Controllers.Main.unsupportedBrowserErrorText": "Seu navegador não é suportado.", "PE.Controllers.Main.uploadImageExtMessage": "Formato de imagem desconhecido.", "PE.Controllers.Main.uploadImageFileCountMessage": "Sem imagens carregadas.", - "PE.Controllers.Main.uploadImageSizeMessage": "Limite máximo do tamanho da imagem excedido.", + "PE.Controllers.Main.uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido. O tamanho máximo é de 25 MB.", "PE.Controllers.Main.uploadImageTextText": "Carregando imagem...", "PE.Controllers.Main.uploadImageTitleText": "Carregando imagem", "PE.Controllers.Main.waitText": "Aguarde...", diff --git a/apps/presentationeditor/main/locale/ro.json b/apps/presentationeditor/main/locale/ro.json index e8febcf90..a242ecec7 100644 --- a/apps/presentationeditor/main/locale/ro.json +++ b/apps/presentationeditor/main/locale/ro.json @@ -715,7 +715,7 @@ "PE.Controllers.Main.unsupportedBrowserErrorText": "Browserul nu este compatibil.", "PE.Controllers.Main.uploadImageExtMessage": "Format de imagine nerecunoscut.", "PE.Controllers.Main.uploadImageFileCountMessage": "Nicio imagine nu a fost încărcată.", - "PE.Controllers.Main.uploadImageSizeMessage": "Dimensiunea imaginii depășește limita maximă.", + "PE.Controllers.Main.uploadImageSizeMessage": "Imaginea este prea mare. Limita de dimensiune este de 25 MB.", "PE.Controllers.Main.uploadImageTextText": "Încărcarea imaginii...", "PE.Controllers.Main.uploadImageTitleText": "Încărcare imagine", "PE.Controllers.Main.waitText": "Vă rugăm să așteptați...", diff --git a/apps/presentationeditor/main/locale/ru.json b/apps/presentationeditor/main/locale/ru.json index 6937cec7e..4f9c73592 100644 --- a/apps/presentationeditor/main/locale/ru.json +++ b/apps/presentationeditor/main/locale/ru.json @@ -172,7 +172,7 @@ "Common.Views.Header.tipSave": "Сохранить", "Common.Views.Header.tipUndo": "Отменить", "Common.Views.Header.tipUndock": "Открепить в отдельном окне", - "Common.Views.Header.tipViewSettings": "Параметры представления", + "Common.Views.Header.tipViewSettings": "Параметры вида", "Common.Views.Header.tipViewUsers": "Просмотр пользователей и управление правами доступа к документу", "Common.Views.Header.txtAccessRights": "Изменить права доступа", "Common.Views.Header.txtRename": "Переименовать", @@ -715,7 +715,7 @@ "PE.Controllers.Main.unsupportedBrowserErrorText": "Ваш браузер не поддерживается.", "PE.Controllers.Main.uploadImageExtMessage": "Неизвестный формат изображения.", "PE.Controllers.Main.uploadImageFileCountMessage": "Ни одного изображения не загружено.", - "PE.Controllers.Main.uploadImageSizeMessage": "Превышен максимальный размер изображения.", + "PE.Controllers.Main.uploadImageSizeMessage": "Слишком большое изображение. Максимальный размер - 25 MB.", "PE.Controllers.Main.uploadImageTextText": "Загрузка изображения...", "PE.Controllers.Main.uploadImageTitleText": "Загрузка изображения", "PE.Controllers.Main.waitText": "Пожалуйста, подождите...", @@ -1969,7 +1969,7 @@ "PE.Views.Toolbar.tipSlideTheme": "Тема слайда", "PE.Views.Toolbar.tipUndo": "Отменить", "PE.Views.Toolbar.tipVAligh": "Вертикальное выравнивание", - "PE.Views.Toolbar.tipViewSettings": "Параметры представления", + "PE.Views.Toolbar.tipViewSettings": "Параметры вида", "PE.Views.Toolbar.txtDistribHor": "Распределить по горизонтали", "PE.Views.Toolbar.txtDistribVert": "Распределить по вертикали", "PE.Views.Toolbar.txtGroup": "Сгруппировать", @@ -1988,6 +1988,7 @@ "PE.Views.Toolbar.txtScheme2": "Оттенки серого", "PE.Views.Toolbar.txtScheme20": "Городская", "PE.Views.Toolbar.txtScheme21": "Яркая", + "PE.Views.Toolbar.txtScheme22": "Новая офисная", "PE.Views.Toolbar.txtScheme3": "Апекс", "PE.Views.Toolbar.txtScheme4": "Аспект", "PE.Views.Toolbar.txtScheme5": "Официальная", diff --git a/apps/presentationeditor/main/locale/zh.json b/apps/presentationeditor/main/locale/zh.json index f15c47a41..9eae79c5a 100644 --- a/apps/presentationeditor/main/locale/zh.json +++ b/apps/presentationeditor/main/locale/zh.json @@ -12,9 +12,11 @@ "Common.define.chartData.textLine": "线", "Common.define.chartData.textPie": "派", "Common.define.chartData.textPoint": "XY(散射)", + "Common.define.chartData.textScatter": "分散", "Common.define.chartData.textStock": "股票", "Common.define.chartData.textSurface": "平面", "Common.Translation.warnFileLocked": "另一个应用正在编辑本文件。你仍然可以继续编辑此文件,你可以将你的编辑保存成另一个拷贝。", + "Common.Translation.warnFileLockedBtnEdit": "创建拷贝", "Common.UI.ColorButton.textNewColor": "添加新的自定义颜色", "Common.UI.ComboBorderSize.txtNoBorders": "没有边框", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "没有边框", @@ -39,6 +41,7 @@ "Common.UI.SynchronizeTip.textSynchronize": "该文档已被其他用户更改。
请点击保存更改并重新加载更新。", "Common.UI.ThemeColorPalette.textStandartColors": "标准颜色", "Common.UI.ThemeColorPalette.textThemeColors": "主题颜色", + "Common.UI.Themes.txtThemeDark": "暗色模式", "Common.UI.Window.cancelButtonText": "取消", "Common.UI.Window.closeButtonText": "关闭", "Common.UI.Window.noButtonText": "否", @@ -64,6 +67,8 @@ "Common.Views.AutoCorrectDialog.textBy": "依据", "Common.Views.AutoCorrectDialog.textDelete": "删除", "Common.Views.AutoCorrectDialog.textMathCorrect": "数学自动修正", + "Common.Views.AutoCorrectDialog.textRecognized": "能被识别的函数", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "以下表达式被识别为数学公式。这些表达式不会被自动设为斜体。", "Common.Views.AutoCorrectDialog.textReplace": "替换", "Common.Views.AutoCorrectDialog.textReplaceText": "输入时自动替换", "Common.Views.AutoCorrectDialog.textReplaceType": "输入时自动替换文字", @@ -71,6 +76,7 @@ "Common.Views.AutoCorrectDialog.textResetAll": "重置为默认", "Common.Views.AutoCorrectDialog.textRestore": "恢复", "Common.Views.AutoCorrectDialog.textTitle": "自动修正", + "Common.Views.AutoCorrectDialog.textWarnAddRec": "能被识别的函数要求必须只包含 A 到 Z 的大写、小写字母。", "Common.Views.AutoCorrectDialog.textWarnResetRec": "由您新增的表达式将被移除,由您移除的将被恢复。是否继续?", "Common.Views.AutoCorrectDialog.warnReplace": "关于%1的自动更正条目已存在。确认替换?", "Common.Views.AutoCorrectDialog.warnReset": "即将移除对自动更正功能所做的自定义设置,并恢复默认值。是否继续?", @@ -103,11 +109,13 @@ "Common.Views.ExternalDiagramEditor.textSave": "保存并退出", "Common.Views.ExternalDiagramEditor.textTitle": "图表编辑器", "Common.Views.Header.labelCoUsersDescr": "文件正在被多个用户编辑。", + "Common.Views.Header.textAddFavorite": "记入收藏夹", "Common.Views.Header.textAdvSettings": "高级设置", "Common.Views.Header.textBack": "打开文件所在位置", "Common.Views.Header.textCompactView": "查看紧凑工具栏", "Common.Views.Header.textHideLines": "隐藏标尺", "Common.Views.Header.textHideStatusBar": "隐藏状态栏", + "Common.Views.Header.textRemoveFavorite": "从收藏夹中删除", "Common.Views.Header.textSaveBegin": "正在保存...", "Common.Views.Header.textSaveChanged": "已修改", "Common.Views.Header.textSaveEnd": "所有更改已保存", @@ -191,6 +199,8 @@ "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": "跟踪变化", @@ -210,6 +220,10 @@ "Common.Views.ReviewChanges.txtCommentRemMy": "移除我的批注", "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "移除我的当前批注", "Common.Views.ReviewChanges.txtCommentRemove": "删除", + "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": "最终版", @@ -293,9 +307,11 @@ "Common.Views.SymbolTableDialog.textSymbols": "符号", "Common.Views.SymbolTableDialog.textTitle": "符号", "Common.Views.SymbolTableDialog.textTradeMark": "商标标识", + "Common.Views.UserNameDialog.textDontShow": "不要再问我", "PE.Controllers.LeftMenu.newDocumentTitle": "未命名的演示", "PE.Controllers.LeftMenu.notcriticalErrorTitle": "警告", "PE.Controllers.LeftMenu.requestEditRightsText": "请求编辑权限..", + "PE.Controllers.LeftMenu.textLoadHistory": "载入版本历史记录...", "PE.Controllers.LeftMenu.textNoTextFound": "您搜索的数据无法找到。请调整您的搜索选项。", "PE.Controllers.LeftMenu.textReplaceSkipped": "已经更换了。{0}次跳过。", "PE.Controllers.LeftMenu.textReplaceSuccess": "他的搜索已经完成。发生次数:{0}", @@ -311,6 +327,7 @@ "PE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。
请联系您的文档服务器管理员.", "PE.Controllers.Main.errorBadImageUrl": "图片地址不正确", "PE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。该文档现在无法编辑", + "PE.Controllers.Main.errorComboSeries": "要创建联立图表,请选中至少两组数据。", "PE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
当你点击“OK”按钮,系统将提示您下载文档。", "PE.Controllers.Main.errorDatabaseConnection": "外部错误。
数据库连接错误。如果错误仍然存​​在,请联系支持人员。", "PE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。", @@ -329,6 +346,7 @@ "PE.Controllers.Main.errorSessionAbsolute": "文档编辑会话已过期。请重新加载页面。", "PE.Controllers.Main.errorSessionIdle": "该文件尚未编辑相当长的时间。请重新加载页面。", "PE.Controllers.Main.errorSessionToken": "与服务器的连接已中断。请重新加载页面。", + "PE.Controllers.Main.errorSetPassword": "未能成功设置密码", "PE.Controllers.Main.errorStockChart": "行顺序不正确。建立股票图表将数据按照以下顺序放置在表格上:
开盘价,最高价格,最低价格,收盘价。", "PE.Controllers.Main.errorToken": "文档安全令牌未正确形成。
请与您的文件服务器管理员联系。", "PE.Controllers.Main.errorTokenExpire": "文档安全令牌已过期。
请与您的文档服务器管理员联系。", @@ -378,12 +396,16 @@ "PE.Controllers.Main.textCustomLoader": "请注意,根据许可条款您无权更改加载程序。
请联系我们的销售部门获取报价。", "PE.Controllers.Main.textHasMacros": "这个文件带有自动宏。
是否要运行宏?", "PE.Controllers.Main.textLoadingDocument": "载入演示", + "PE.Controllers.Main.textLongName": "输入名称,要求小于128字符。", "PE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE开源版本", "PE.Controllers.Main.textPaidFeature": "付费功能", "PE.Controllers.Main.textRemember": "记住我的选择", + "PE.Controllers.Main.textRenameError": "用户名不能留空。", + "PE.Controllers.Main.textRenameLabel": "输入名称,可用于协作。", "PE.Controllers.Main.textShape": "形状", "PE.Controllers.Main.textStrict": "严格模式", "PE.Controllers.Main.textTryUndoRedo": "对于快速的协同编辑模式,取消/重做功能是禁用的。< br >单击“严格模式”按钮切换到严格co-editing模式编辑该文件没有其他用户干扰和发送您的更改只后你拯救他们。您可以使用编辑器高级设置在编辑模式之间切换。", + "PE.Controllers.Main.textTryUndoRedoWarn": "快速共同编辑模式下,撤销/重做功能被禁用。", "PE.Controllers.Main.titleLicenseExp": "许可证过期", "PE.Controllers.Main.titleServerVersion": "编辑器已更新", "PE.Controllers.Main.txtAddFirstSlide": "单击添加第一张幻灯片", @@ -1332,6 +1354,7 @@ "PE.Views.HyperlinkSettingsDialog.txtNext": "下一张幻灯片", "PE.Views.HyperlinkSettingsDialog.txtNotUrl": "该字段应该是“http://www.example.com”格式的URL", "PE.Views.HyperlinkSettingsDialog.txtPrev": "上一张幻灯片", + "PE.Views.HyperlinkSettingsDialog.txtSizeLimit": "该域字符限制为2803个。", "PE.Views.HyperlinkSettingsDialog.txtSlide": "滑动", "PE.Views.ImageSettings.textAdvanced": "显示高级设置", "PE.Views.ImageSettings.textCrop": "裁剪", @@ -1383,6 +1406,7 @@ "PE.Views.LeftMenu.txtDeveloper": "开发者模式", "PE.Views.LeftMenu.txtLimit": "限制访问", "PE.Views.LeftMenu.txtTrial": "试用模式", + "PE.Views.LeftMenu.txtTrialDev": "试用开发者模式", "PE.Views.ParagraphSettings.strLineHeight": "行间距", "PE.Views.ParagraphSettings.strParagraphSpacing": "段落间距", "PE.Views.ParagraphSettings.strSpacingAfter": "后", @@ -1544,6 +1568,7 @@ "PE.Views.SignatureSettings.strValid": "有效签名", "PE.Views.SignatureSettings.txtContinueEditing": "继续编辑", "PE.Views.SignatureSettings.txtEditWarning": "编辑将删除演示文稿中的签名。
您确定要继续吗?", + "PE.Views.SignatureSettings.txtRemoveWarning": "要删除该签名吗?
这一操作不能被撤销。", "PE.Views.SignatureSettings.txtSigned": "有效签名已添加到演示文稿中。该演示文稿已限制编辑。", "PE.Views.SignatureSettings.txtSignedInvalid": "演示文稿中的某些数字签名无效或无法验证。该演示文稿已限制编辑。", "PE.Views.SlideSettings.strBackground": "背景颜色", @@ -1793,6 +1818,7 @@ "PE.Views.Toolbar.mniImageFromFile": "图片文件", "PE.Views.Toolbar.mniImageFromStorage": "图片来自存储", "PE.Views.Toolbar.mniImageFromUrl": "图片来自网络", + "PE.Views.Toolbar.mniSentenceCase": "句子大小写。", "PE.Views.Toolbar.mniSlideAdvanced": "高级设置", "PE.Views.Toolbar.mniSlideStandard": "标准(4:3)", "PE.Views.Toolbar.mniSlideWide": "宽屏(16:9)", @@ -1833,6 +1859,7 @@ "PE.Views.Toolbar.textUnderline": "下划线", "PE.Views.Toolbar.tipAddSlide": "添加幻灯片", "PE.Views.Toolbar.tipBack": "返回", + "PE.Views.Toolbar.tipChangeCase": "修改大小写", "PE.Views.Toolbar.tipChangeChart": "更改图表类型", "PE.Views.Toolbar.tipChangeSlide": "更改幻灯片布局", "PE.Views.Toolbar.tipClearStyle": "清除样式", diff --git a/apps/presentationeditor/mobile/locale/ca.json b/apps/presentationeditor/mobile/locale/ca.json index 1025d937e..24629fd57 100644 --- a/apps/presentationeditor/mobile/locale/ca.json +++ b/apps/presentationeditor/mobile/locale/ca.json @@ -1,566 +1,437 @@ { - "Common.Controllers.Collaboration.textAddReply": "Afegir una resposta", - "Common.Controllers.Collaboration.textCancel": "Cancel·lar", - "Common.Controllers.Collaboration.textDeleteComment": "Esborrar comentari", - "Common.Controllers.Collaboration.textDeleteReply": "Esborrar resposta", - "Common.Controllers.Collaboration.textDone": "Fet", - "Common.Controllers.Collaboration.textEdit": "Editar", - "Common.Controllers.Collaboration.textEditUser": "Usuaris que editen el fitxer:", - "Common.Controllers.Collaboration.textMessageDeleteComment": "Vols suprimir aquest comentari?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "Voleu suprimir aquesta resposta?", - "Common.Controllers.Collaboration.textReopen": "Reobrir", - "Common.Controllers.Collaboration.textResolve": "Resol", - "Common.Controllers.Collaboration.textYes": "Sí", - "Common.UI.ThemeColorPalette.textCustomColors": "Colors Personalitzats", - "Common.UI.ThemeColorPalette.textStandartColors": "Colors Estàndards", - "Common.UI.ThemeColorPalette.textThemeColors": "Colors Tema", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAddReply": "Afegir una resposta", - "Common.Views.Collaboration.textBack": "Enrere", - "Common.Views.Collaboration.textCancel": "Cancel·lar", - "Common.Views.Collaboration.textCollaboration": "Col·laboració", - "Common.Views.Collaboration.textDone": "Fet", - "Common.Views.Collaboration.textEditReply": "Editar la Resposta", - "Common.Views.Collaboration.textEditUsers": "Usuaris", - "Common.Views.Collaboration.textEditСomment": "Editar el Comentari", - "Common.Views.Collaboration.textNoComments": "Aquesta presentació no conté comentaris", - "Common.Views.Collaboration.textСomments": "Comentaris", - "PE.Controllers.AddContainer.textImage": "Imatge", - "PE.Controllers.AddContainer.textLink": "Enllaç", - "PE.Controllers.AddContainer.textOther": "Altre", - "PE.Controllers.AddContainer.textShape": "Forma", - "PE.Controllers.AddContainer.textSlide": "Diapositiva", - "PE.Controllers.AddContainer.textTable": "Taula", - "PE.Controllers.AddImage.textEmptyImgUrl": "Cal que especifiqueu l’enllaç de la imatge.", - "PE.Controllers.AddImage.txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.example.com\"", - "PE.Controllers.AddLink.textDefault": "Text Seleccionat", - "PE.Controllers.AddLink.textExternalLink": "Enllaç extern", - "PE.Controllers.AddLink.textFirst": "Primera Diapositiva", - "PE.Controllers.AddLink.textInternalLink": "Diapositiva en aquesta Presentació", - "PE.Controllers.AddLink.textLast": "Última Diapositiva", - "PE.Controllers.AddLink.textNext": "Següent Diapositiva", - "PE.Controllers.AddLink.textPrev": "Diapositiva Anterior", - "PE.Controllers.AddLink.textSlide": "Diapositiva", - "PE.Controllers.AddLink.txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.example.com\"", - "PE.Controllers.AddOther.textCancel": "Cancel·lar", - "PE.Controllers.AddOther.textContinue": "Continua", - "PE.Controllers.AddOther.textDelete": "Esborrar", - "PE.Controllers.AddOther.textDeleteDraft": "Vols suprimir l'esborrany?", - "PE.Controllers.AddTable.textCancel": "Cancel·lar", - "PE.Controllers.AddTable.textColumns": "Columnes", - "PE.Controllers.AddTable.textRows": "Files", - "PE.Controllers.AddTable.textTableSize": "Mida Taula", - "PE.Controllers.DocumentHolder.errorCopyCutPaste": "Les accions de copiar, tallar i enganxar mitjançant el menú contextual només es realitzaran dins del fitxer actual.", - "PE.Controllers.DocumentHolder.menuAddComment": "Afegir comentari", - "PE.Controllers.DocumentHolder.menuAddLink": "Afegir enllaç", - "PE.Controllers.DocumentHolder.menuCopy": "Copiar", - "PE.Controllers.DocumentHolder.menuCut": "Tallar", - "PE.Controllers.DocumentHolder.menuDelete": "Esborrar", - "PE.Controllers.DocumentHolder.menuEdit": "Editar", - "PE.Controllers.DocumentHolder.menuMore": "Més", - "PE.Controllers.DocumentHolder.menuOpenLink": "Obrir Enllaç", - "PE.Controllers.DocumentHolder.menuPaste": "Pegar", - "PE.Controllers.DocumentHolder.menuViewComment": "Veure Comentari", - "PE.Controllers.DocumentHolder.sheetCancel": "Cancel·lar", - "PE.Controllers.DocumentHolder.textCopyCutPasteActions": "Accions de Copiar, Tallar i Pegar ", - "PE.Controllers.DocumentHolder.textDoNotShowAgain": "No mostrar de nou", - "PE.Controllers.DocumentPreview.txtFinalMessage": "Final de la previsualització de diapositives. Feu clic per sortir.", - "PE.Controllers.EditContainer.textChart": "Gràfic", - "PE.Controllers.EditContainer.textHyperlink": "Hiperenllaç", - "PE.Controllers.EditContainer.textImage": "Imatge", - "PE.Controllers.EditContainer.textSettings": "Configuració", - "PE.Controllers.EditContainer.textShape": "Forma", - "PE.Controllers.EditContainer.textSlide": "Diapositiva", - "PE.Controllers.EditContainer.textTable": "Taula", - "PE.Controllers.EditContainer.textText": "Text", - "PE.Controllers.EditImage.textEmptyImgUrl": "Cal que especifiqueu l’enllaç de la imatge.", - "PE.Controllers.EditImage.txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.example.com\"", - "PE.Controllers.EditLink.textDefault": "Text Seleccionat", - "PE.Controllers.EditLink.textExternalLink": "Enllaç extern", - "PE.Controllers.EditLink.textFirst": "Primera Diapositiva", - "PE.Controllers.EditLink.textInternalLink": "Diapositiva en aquesta Presentació", - "PE.Controllers.EditLink.textLast": "Última Diapositiva", - "PE.Controllers.EditLink.textNext": "Següent Diapositiva", - "PE.Controllers.EditLink.textPrev": "Diapositiva Anterior", - "PE.Controllers.EditLink.textSlide": "Diapositiva", - "PE.Controllers.EditLink.txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.example.com\"", - "PE.Controllers.EditSlide.textSec": "s", - "PE.Controllers.EditText.textAuto": "Auto", - "PE.Controllers.EditText.textFonts": "Fonts", - "PE.Controllers.EditText.textPt": "pt", - "PE.Controllers.Main.advDRMEnterPassword": "Posar la teva contrasenya:", - "PE.Controllers.Main.advDRMOptions": "Arxiu Protegit", - "PE.Controllers.Main.advDRMPassword": "Contrasenya", - "PE.Controllers.Main.applyChangesTextText": "Carregant dades...", - "PE.Controllers.Main.applyChangesTitleText": "Carregant Dades", - "PE.Controllers.Main.closeButtonText": "Tancar Arxiu", - "PE.Controllers.Main.convertationTimeoutText": "Conversió fora de temps", - "PE.Controllers.Main.criticalErrorExtText": "Prem \"Acceptar\" per tornar a la llista de documents", - "PE.Controllers.Main.criticalErrorTitle": "Error", - "PE.Controllers.Main.downloadErrorText": "Descàrrega fallida.", - "PE.Controllers.Main.downloadTextText": "Descarregant presentació...", - "PE.Controllers.Main.downloadTitleText": "Descarregar Presentació", - "PE.Controllers.Main.errorAccessDeny": "Intenteu realitzar una acció per la qual no teniu drets.
Poseu-vos en contacte amb l'administrador del servidor de documents.", - "PE.Controllers.Main.errorBadImageUrl": "Enllaç de la Imatge Incorrecte", - "PE.Controllers.Main.errorCoAuthoringDisconnect": "S'ha perdut la connexió amb el servidor. Ja no es pot editar.", - "PE.Controllers.Main.errorConnectToServer": "El document no s'ha pogut desar. Comproveu la configuració de la connexió o poseu-vos en contacte amb l'administrador.
Quan feu clic al botó \"D'acord\", se us demanarà que descarregueu el document.", - "PE.Controllers.Main.errorDatabaseConnection": "Error Extern.
Connexió errònia amb la Base de Dades. Si us plau, contacti amb Suport.", - "PE.Controllers.Main.errorDataEncrypted": "S'han rebut canvis xifrats, que no es poden desxifrar.", - "PE.Controllers.Main.errorDataRange": "Interval de dades incorrecte.", - "PE.Controllers.Main.errorDefaultMessage": "Codi Error:%1", - "PE.Controllers.Main.errorEditingDownloadas": "S'ha produït un error durant el treball amb el document.
Utilitzeu l'opció \"Descarregar\" per desar la còpia de seguretat del fitxer al disc dur de l’ordinador.", - "PE.Controllers.Main.errorFilePassProtect": "El fitxer està protegit amb contrasenya i no es pot obrir.", - "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.errorKeyEncrypt": "Descriptor de la clau desconegut", - "PE.Controllers.Main.errorKeyExpire": "El descriptor de la clau ha caducat", - "PE.Controllers.Main.errorOpensource": "Mitjançant la versió gratuïta de la comunitat, només podeu obrir documents per a la visualització. Per accedir a editors web per a mòbils, cal una llicència comercial.", - "PE.Controllers.Main.errorProcessSaveResult": "Error en Desar.", - "PE.Controllers.Main.errorServerVersion": "S'ha actualitzat la versió de l'editor. Es tornarà a carregar la pàgina per aplicar els canvis.", - "PE.Controllers.Main.errorSessionAbsolute": "La sessió d’edició del document ha caducat. Torneu a carregar la pàgina.", - "PE.Controllers.Main.errorSessionIdle": "El document no s’ha editat des de fa temps. Torneu a carregar la pàgina.", - "PE.Controllers.Main.errorSessionToken": "S'ha interromput la connexió amb el servidor. Torneu a carregar la pàgina.", - "PE.Controllers.Main.errorStockChart": "Ordre de fila incorrecte. 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.", - "PE.Controllers.Main.errorUpdateVersion": "La versió del fitxer s'ha canviat. La pàgina es tornarà a carregar.", - "PE.Controllers.Main.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.", - "PE.Controllers.Main.errorUserDrop": "Ara no es pot accedir al fitxer.", - "PE.Controllers.Main.errorUsersExceed": "El nombre d’usuaris s'ha superat", - "PE.Controllers.Main.errorViewerDisconnect": "La connexió es perd. Encara podeu veure el document,
però no podreu descarregar-lo fins que no es restableixi la connexió i es torni a carregar la pàgina.", - "PE.Controllers.Main.leavePageText": "Heu fet canvis no guardats en aquest document. Feu clic a \"Continua en aquesta pàgina\" per esperar la recuperació automàtica del document. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", - "PE.Controllers.Main.loadFontsTextText": "Carregant dades...", - "PE.Controllers.Main.loadFontsTitleText": "Carregant Dades", - "PE.Controllers.Main.loadFontTextText": "Carregant dades...", - "PE.Controllers.Main.loadFontTitleText": "Carregant Dades", - "PE.Controllers.Main.loadImagesTextText": "Carregant imatges...", - "PE.Controllers.Main.loadImagesTitleText": "Carregant Imatges", - "PE.Controllers.Main.loadImageTextText": "Carregant imatge...", - "PE.Controllers.Main.loadImageTitleText": "Carregant Imatge", - "PE.Controllers.Main.loadingDocumentTextText": "Carregant presentació...", - "PE.Controllers.Main.loadingDocumentTitleText": "Carregant presentació", - "PE.Controllers.Main.loadThemeTextText": "Carregant tema...", - "PE.Controllers.Main.loadThemeTitleText": "Carregant Tema", - "PE.Controllers.Main.notcriticalErrorTitle": "Avis", - "PE.Controllers.Main.openErrorText": "S'ha produït un error en obrir el fitxer.", - "PE.Controllers.Main.openTextText": "Obrint Document...", - "PE.Controllers.Main.openTitleText": "Obrir Document", - "PE.Controllers.Main.printTextText": "Imprimint Document...", - "PE.Controllers.Main.printTitleText": "Imprimir Document", - "PE.Controllers.Main.reloadButtonText": "Recarregar Pàgina", - "PE.Controllers.Main.requestEditFailedMessageText": "Algú està editant aquest document ara mateix. Si us plau, 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.savePreparingText": "Preparant per guardar", - "PE.Controllers.Main.savePreparingTitle": "Preparant per guardar. Si us plau, esperi", - "PE.Controllers.Main.saveTextText": "Desant Document...", - "PE.Controllers.Main.saveTitleText": "Desant Document", - "PE.Controllers.Main.scriptLoadError": "La connexió és massa lenta, alguns dels components no s’han pogut carregar. Torneu a carregar la pàgina.", - "PE.Controllers.Main.splitDividerErrorText": "El nombre de files ha de ser un divisor de %1", - "PE.Controllers.Main.splitMaxColsErrorText": "El nombre de columnes ha de ser inferior a %1", - "PE.Controllers.Main.splitMaxRowsErrorText": "El nombre de files ha de ser inferior a %1", - "PE.Controllers.Main.textAnonymous": "Anònim", - "PE.Controllers.Main.textBack": "Enrere", - "PE.Controllers.Main.textBuyNow": "Visita el Lloc Web", - "PE.Controllers.Main.textCancel": "Cancel·lar", - "PE.Controllers.Main.textClose": "Tancar", - "PE.Controllers.Main.textCloseTip": "Toqueu per tancar-lo.", - "PE.Controllers.Main.textContactUs": "Equip de Vendes", - "PE.Controllers.Main.textCustomLoader": "Tingueu en compte que, segons els termes de la llicència, no teniu dret a canviar el carregador.
Consulteu el nostre departament de vendes per obtenir un pressupost.", - "PE.Controllers.Main.textDone": "Fet", - "PE.Controllers.Main.textHasMacros": "El fitxer conté macros automàtiques.
Voleu executar macros?", - "PE.Controllers.Main.textLoadingDocument": "Carregant presentació", - "PE.Controllers.Main.textNo": "No", - "PE.Controllers.Main.textNoLicenseTitle": "Heu arribat al límit de la llicència", - "PE.Controllers.Main.textOK": "Acceptar", - "PE.Controllers.Main.textPaidFeature": "Funció de pagament", - "PE.Controllers.Main.textPassword": "Contrasenya", - "PE.Controllers.Main.textPreloader": "Carregant...", - "PE.Controllers.Main.textRemember": "Recorda la meva elecció", - "PE.Controllers.Main.textShape": "Forma", - "PE.Controllers.Main.textTryUndoRedo": "Les funcions Desfés/Rehabiliteu estan desactivades per al mode de coedició ràpida.", - "PE.Controllers.Main.textUsername": "Usuari", - "PE.Controllers.Main.textYes": "Sí", - "PE.Controllers.Main.titleLicenseExp": "Llicència Caducada", - "PE.Controllers.Main.titleServerVersion": "S'ha actualitzat l'editor", - "PE.Controllers.Main.txtArt": "El seu text aquí", - "PE.Controllers.Main.txtBasicShapes": "Formes bàsiques", - "PE.Controllers.Main.txtButtons": "Botons", - "PE.Controllers.Main.txtCallouts": "Trucades", - "PE.Controllers.Main.txtCharts": "Gràfics", - "PE.Controllers.Main.txtClipArt": "Imatges Predissenyades", - "PE.Controllers.Main.txtDateTime": "Data i hora", - "PE.Controllers.Main.txtDiagram": "Imatge preconfigurada", - "PE.Controllers.Main.txtDiagramTitle": "Gràfic Títol", - "PE.Controllers.Main.txtEditingMode": "Estableix el mode d'edició ...", - "PE.Controllers.Main.txtFiguredArrows": "Fletxes Figurades", - "PE.Controllers.Main.txtFooter": "Peu de pàgina", - "PE.Controllers.Main.txtHeader": "Capçalera", - "PE.Controllers.Main.txtImage": "Imatge", - "PE.Controllers.Main.txtLines": "Línies", - "PE.Controllers.Main.txtMath": "Matemàtiques", - "PE.Controllers.Main.txtMedia": "Medis", - "PE.Controllers.Main.txtNeedSynchronize": "Teniu actualitzacions", - "PE.Controllers.Main.txtPicture": "Imatge", - "PE.Controllers.Main.txtProtected": "Un cop hàgiu introduït la contrasenya i obert el fitxer, es restablirà la contrasenya actual del fitxer", - "PE.Controllers.Main.txtRectangles": "Rectangles", - "PE.Controllers.Main.txtSeries": "Series", - "PE.Controllers.Main.txtSldLtTBlank": "En blanc", - "PE.Controllers.Main.txtSldLtTChart": "Gràfic", - "PE.Controllers.Main.txtSldLtTChartAndTx": "Gràfic i Text", - "PE.Controllers.Main.txtSldLtTClipArtAndTx": "Imatge Predissenyada i Tex", - "PE.Controllers.Main.txtSldLtTClipArtAndVertTx": "Imatge PreDissenyada i Text Vertical", - "PE.Controllers.Main.txtSldLtTCust": "Personalitzat", - "PE.Controllers.Main.txtSldLtTDgm": "Diagrama", - "PE.Controllers.Main.txtSldLtTFourObj": "Quatre Objectes", - "PE.Controllers.Main.txtSldLtTMediaAndTx": "Multimèdia i Text", - "PE.Controllers.Main.txtSldLtTObj": "Títol i Objecte", - "PE.Controllers.Main.txtSldLtTObjAndTwoObj": "Objecte i Dos Objectes", - "PE.Controllers.Main.txtSldLtTObjAndTx": "Objecte i Text", - "PE.Controllers.Main.txtSldLtTObjOnly": "Objecte", - "PE.Controllers.Main.txtSldLtTObjOverTx": "Objecte damunt Text", - "PE.Controllers.Main.txtSldLtTObjTx": "Títol, Objecte, i Subtítol", - "PE.Controllers.Main.txtSldLtTPicTx": "Imatge i Llegenda", - "PE.Controllers.Main.txtSldLtTSecHead": "Secció Capçalera", - "PE.Controllers.Main.txtSldLtTTbl": "Taula", - "PE.Controllers.Main.txtSldLtTTitle": "Títol", - "PE.Controllers.Main.txtSldLtTTitleOnly": "Només Títol", - "PE.Controllers.Main.txtSldLtTTwoColTx": "Text de dues columnes", - "PE.Controllers.Main.txtSldLtTTwoObj": "Dos Objectes", - "PE.Controllers.Main.txtSldLtTTwoObjAndObj": "Dos Objectes i Objecte", - "PE.Controllers.Main.txtSldLtTTwoObjAndTx": "Dos Objectes i Text", - "PE.Controllers.Main.txtSldLtTTwoObjOverTx": "Dos Objectes damunt Text", - "PE.Controllers.Main.txtSldLtTTwoTxTwoObj": "Dos Texts i Dos Objectes", - "PE.Controllers.Main.txtSldLtTTx": "Text", - "PE.Controllers.Main.txtSldLtTTxAndChart": "Text i Gràfic", - "PE.Controllers.Main.txtSldLtTTxAndClipArt": "Text i Imatge Preconfigurada", - "PE.Controllers.Main.txtSldLtTTxAndMedia": "Text i Multimèdia", - "PE.Controllers.Main.txtSldLtTTxAndObj": "Text i Objecte", - "PE.Controllers.Main.txtSldLtTTxAndTwoObj": "Text i Dos Objectes", - "PE.Controllers.Main.txtSldLtTTxOverObj": "Text sobre Objecte", - "PE.Controllers.Main.txtSldLtTVertTitleAndTx": "Títol Vertical i Text", - "PE.Controllers.Main.txtSldLtTVertTitleAndTxOverChart": "Títol Vertical i Gràfic sobre Text", - "PE.Controllers.Main.txtSldLtTVertTx": "Text Vertical", - "PE.Controllers.Main.txtSlideNumber": "Número Diapositiva", - "PE.Controllers.Main.txtSlideSubtitle": "Subtítol Diapositiva", - "PE.Controllers.Main.txtSlideText": "Text Diapositiva", - "PE.Controllers.Main.txtSlideTitle": "Títol Diapositiva", - "PE.Controllers.Main.txtStarsRibbons": "Estrelles i Cintes", - "PE.Controllers.Main.txtXAxis": "Eix X", - "PE.Controllers.Main.txtYAxis": "Eix Y", - "PE.Controllers.Main.unknownErrorText": "Error Desconegut", - "PE.Controllers.Main.unsupportedBrowserErrorText": "El vostre navegador no és compatible.", - "PE.Controllers.Main.uploadImageExtMessage": "Format imatge desconegut.", - "PE.Controllers.Main.uploadImageFileCountMessage": "No hi ha imatges pujades.", - "PE.Controllers.Main.uploadImageSizeMessage": "Superat el límit de mida de la imatge màxima.", - "PE.Controllers.Main.uploadImageTextText": "Pujant imatge...", - "PE.Controllers.Main.uploadImageTitleText": "Pujar Imatge", - "PE.Controllers.Main.waitText": "Si us plau, esperi...", - "PE.Controllers.Main.warnLicenseExceeded": "S'ha superat el nombre de connexions simultànies al servidor de documents i el document s'obrirà només per a la seva visualització.
Contacteu l'administrador per obtenir més informació.", - "PE.Controllers.Main.warnLicenseExp": "La seva llicencia ha caducat.
Si us plau, actualitzi la llicencia i recarregui la pàgina.", - "PE.Controllers.Main.warnLicenseUsersExceeded": "S'ha superat el nombre d'usuaris concurrents i el document s'obrirà només per a la seva visualització.
Per més informació, poseu-vos en contacte amb l'administrador.", - "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 concurrents per a editors %1.
Contactau l'equip de vendes per als termes de millora personal dels vostres serveis.", - "PE.Controllers.Main.warnProcessRightsChange": "Se li ha denegat el dret a editar el fitxer.", - "PE.Controllers.Search.textNoTextFound": "Text no Trobat", - "PE.Controllers.Search.textReplaceAll": "Canviar Tot", - "PE.Controllers.Settings.notcriticalErrorTitle": "Avis", - "PE.Controllers.Settings.txtLoading": "Carregant...", - "PE.Controllers.Toolbar.dlgLeaveMsgText": "Heu fet canvis no guardats en aquest document. Feu clic a \"Continua en aquesta pàgina\" per esperar la recuperació automàtica del document. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", - "PE.Controllers.Toolbar.dlgLeaveTitleText": "Deixeu l'aplicació", - "PE.Controllers.Toolbar.leaveButtonText": "Sortir d'aquesta Pàgina", - "PE.Controllers.Toolbar.stayButtonText": "Queda't en aquesta Pàgina", - "PE.Views.AddImage.textAddress": "Adreça", - "PE.Views.AddImage.textBack": "Enrere", - "PE.Views.AddImage.textFromLibrary": "Imatge de Llibreria", - "PE.Views.AddImage.textFromURL": "Imatge de URL", - "PE.Views.AddImage.textImageURL": "Imatge URL", - "PE.Views.AddImage.textInsertImage": "Insertar Imatge", - "PE.Views.AddImage.textLinkSettings": "Propietats Enllaç", - "PE.Views.AddLink.textBack": "Enrere", - "PE.Views.AddLink.textDisplay": "Mostrar", - "PE.Views.AddLink.textExternalLink": "Enllaç extern", - "PE.Views.AddLink.textFirst": "Primera Diapositiva", - "PE.Views.AddLink.textInsert": "Insertar", - "PE.Views.AddLink.textInternalLink": "Diapositiva en aquesta Presentació", - "PE.Views.AddLink.textLast": "Última Diapositiva", - "PE.Views.AddLink.textLink": "Enllaç", - "PE.Views.AddLink.textLinkSlide": "Enllaç a", - "PE.Views.AddLink.textLinkType": "Tipus Enllaç", - "PE.Views.AddLink.textNext": "Següent Diapositiva", - "PE.Views.AddLink.textNumber": "Número Diapositiva", - "PE.Views.AddLink.textPrev": "Diapositiva Anterior", - "PE.Views.AddLink.textTip": "Consells de Pantalla", - "PE.Views.AddOther.textAddComment": "Afegir comentari", - "PE.Views.AddOther.textBack": "Enrere", - "PE.Views.AddOther.textComment": "Comentari", - "PE.Views.AddOther.textDisplay": "Mostrar", - "PE.Views.AddOther.textDone": "Fet", - "PE.Views.AddOther.textExternalLink": "Enllaç Extern", - "PE.Views.AddOther.textFirst": "Primera Diapositiva", - "PE.Views.AddOther.textInsert": "Insertar", - "PE.Views.AddOther.textInternalLink": "Diapositiva en aquesta Presentació", - "PE.Views.AddOther.textLast": "Última Diapositiva", - "PE.Views.AddOther.textLink": "Enllaç", - "PE.Views.AddOther.textLinkSlide": "Enllaç a", - "PE.Views.AddOther.textLinkType": "Tipus Enllaç", - "PE.Views.AddOther.textNext": "Següent Diapositiva", - "PE.Views.AddOther.textNumber": "Número Diapositiva", - "PE.Views.AddOther.textPrev": "Diapositiva Anterior", - "PE.Views.AddOther.textTable": "Taula", - "PE.Views.AddOther.textTip": "Consells de Pantalla", - "PE.Views.EditChart.textAddCustomColor": "Afegir Color Personalitzat", - "PE.Views.EditChart.textAlign": "Alinear", - "PE.Views.EditChart.textAlignBottom": "Alineació inferior", - "PE.Views.EditChart.textAlignCenter": "Centrar", - "PE.Views.EditChart.textAlignLeft": "Alinear esquerra", - "PE.Views.EditChart.textAlignMiddle": "Alinear al mig", - "PE.Views.EditChart.textAlignRight": "Alinear dreta", - "PE.Views.EditChart.textAlignTop": "Alinear superior", - "PE.Views.EditChart.textBack": "Enrere", - "PE.Views.EditChart.textBackward": "Tornar enrere", - "PE.Views.EditChart.textBorder": "Vora", - "PE.Views.EditChart.textColor": "Color", - "PE.Views.EditChart.textCustomColor": "Color Personalitzat", - "PE.Views.EditChart.textFill": "Omplir", - "PE.Views.EditChart.textForward": "Moure Endavant", - "PE.Views.EditChart.textRemoveChart": "Esborrar Gràfic", - "PE.Views.EditChart.textReorder": "Reordenar", - "PE.Views.EditChart.textSize": "Mida", - "PE.Views.EditChart.textStyle": "Estil", - "PE.Views.EditChart.textToBackground": "Enviar a un segon pla", - "PE.Views.EditChart.textToForeground": "Porta a Primer pla", - "PE.Views.EditChart.textType": "Tipus", - "PE.Views.EditChart.txtDistribHor": "Distribuïu horitzontalment", - "PE.Views.EditChart.txtDistribVert": "Distribuïu verticalment", - "PE.Views.EditImage.textAddress": "Adreça", - "PE.Views.EditImage.textAlign": "Alinear", - "PE.Views.EditImage.textAlignBottom": "Alineació inferior", - "PE.Views.EditImage.textAlignCenter": "Centrar", - "PE.Views.EditImage.textAlignLeft": "Alinear esquerra", - "PE.Views.EditImage.textAlignMiddle": "Alinear al mig", - "PE.Views.EditImage.textAlignRight": "Alinear dreta", - "PE.Views.EditImage.textAlignTop": "Alinear superior", - "PE.Views.EditImage.textBack": "Enrere", - "PE.Views.EditImage.textBackward": "Tornar enrere", - "PE.Views.EditImage.textDefault": "Mida Actual", - "PE.Views.EditImage.textForward": "Moure Endavant", - "PE.Views.EditImage.textFromLibrary": "Imatge de Llibreria", - "PE.Views.EditImage.textFromURL": "Imatge de URL", - "PE.Views.EditImage.textImageURL": "Imatge URL", - "PE.Views.EditImage.textLinkSettings": "Propietats Enllaç", - "PE.Views.EditImage.textRemove": "Esborrar Imatge", - "PE.Views.EditImage.textReorder": "Reordenar", - "PE.Views.EditImage.textReplace": "Canviar", - "PE.Views.EditImage.textReplaceImg": "Canviar Imatge", - "PE.Views.EditImage.textToBackground": "Enviar a un segon pla", - "PE.Views.EditImage.textToForeground": "Porta a Primer pla", - "PE.Views.EditImage.txtDistribHor": "Distribuïu horitzontalment", - "PE.Views.EditImage.txtDistribVert": "Distribuïu verticalment", - "PE.Views.EditLink.textBack": "Enrere", - "PE.Views.EditLink.textDisplay": "Mostrar", - "PE.Views.EditLink.textEdit": "Editar Enllaç", - "PE.Views.EditLink.textExternalLink": "Enllaç extern", - "PE.Views.EditLink.textFirst": "Primera Diapositiva", - "PE.Views.EditLink.textInternalLink": "Diapositiva en aquesta Presentació", - "PE.Views.EditLink.textLast": "Última Diapositiva", - "PE.Views.EditLink.textLink": "Enllaç", - "PE.Views.EditLink.textLinkSlide": "Enllaç a", - "PE.Views.EditLink.textLinkType": "Tipus Enllaç", - "PE.Views.EditLink.textNext": "Següent Diapositiva", - "PE.Views.EditLink.textNumber": "Número Diapositiva", - "PE.Views.EditLink.textPrev": "Diapositiva Anterior", - "PE.Views.EditLink.textRemove": "Esborrar Enllaç", - "PE.Views.EditLink.textTip": "Consells de Pantalla", - "PE.Views.EditShape.textAddCustomColor": "Afegir Color Personalitzat", - "PE.Views.EditShape.textAlign": "Alinear", - "PE.Views.EditShape.textAlignBottom": "Alineació inferior", - "PE.Views.EditShape.textAlignCenter": "Centrar", - "PE.Views.EditShape.textAlignLeft": "Alinear esquerra", - "PE.Views.EditShape.textAlignMiddle": "Alinear al mig", - "PE.Views.EditShape.textAlignRight": "Alinear dreta", - "PE.Views.EditShape.textAlignTop": "Alinear superior", - "PE.Views.EditShape.textBack": "Enrere", - "PE.Views.EditShape.textBackward": "Tornar enrere", - "PE.Views.EditShape.textBorder": "Vora", - "PE.Views.EditShape.textColor": "Color", - "PE.Views.EditShape.textCustomColor": "Color Personalitzat", - "PE.Views.EditShape.textEffects": "Efectes", - "PE.Views.EditShape.textFill": "Omplir", - "PE.Views.EditShape.textForward": "Moure Endavant", - "PE.Views.EditShape.textOpacity": "Opacitat", - "PE.Views.EditShape.textRemoveShape": "Esborrar Forma", - "PE.Views.EditShape.textReorder": "Reordenar", - "PE.Views.EditShape.textReplace": "Canviar", - "PE.Views.EditShape.textSize": "Mida", - "PE.Views.EditShape.textStyle": "Estil", - "PE.Views.EditShape.textToBackground": "Enviar a un segon pla", - "PE.Views.EditShape.textToForeground": "Porta a Primer pla", - "PE.Views.EditShape.txtDistribHor": "Distribuïu horitzontalment", - "PE.Views.EditShape.txtDistribVert": "Distribuïu verticalment", - "PE.Views.EditSlide.textAddCustomColor": "Afegir Color Personalitzat", - "PE.Views.EditSlide.textApplyAll": "Aplicar a totes les diapositives", - "PE.Views.EditSlide.textBack": "Enrere", - "PE.Views.EditSlide.textBlack": "A través del negre", - "PE.Views.EditSlide.textBottom": "Inferior", - "PE.Views.EditSlide.textBottomLeft": "A baix-Esquerra", - "PE.Views.EditSlide.textBottomRight": "A Dalt-Dreta", - "PE.Views.EditSlide.textClock": "Rellotge", - "PE.Views.EditSlide.textClockwise": "En el sentit de les agulles del rellotge", - "PE.Views.EditSlide.textColor": "Color", - "PE.Views.EditSlide.textCounterclockwise": "En sentit antihorari", - "PE.Views.EditSlide.textCover": "Cobrir", - "PE.Views.EditSlide.textCustomColor": "Color Personalitzat", - "PE.Views.EditSlide.textDelay": "Retard", - "PE.Views.EditSlide.textDuplicateSlide": "Duplicar Diapositiva", - "PE.Views.EditSlide.textDuration": "Duració", - "PE.Views.EditSlide.textEffect": "Efecte", - "PE.Views.EditSlide.textFade": "Difuminar", - "PE.Views.EditSlide.textFill": "Omplir", - "PE.Views.EditSlide.textHorizontalIn": "Horitzontal Dins", - "PE.Views.EditSlide.textHorizontalOut": "Horitzontal Fora", - "PE.Views.EditSlide.textLayout": "Maquetació", - "PE.Views.EditSlide.textLeft": "Esquerra", - "PE.Views.EditSlide.textNone": "Cap", - "PE.Views.EditSlide.textOpacity": "Opacitat", - "PE.Views.EditSlide.textPush": "Inserció", - "PE.Views.EditSlide.textRemoveSlide": "Esborrar Diapositiva", - "PE.Views.EditSlide.textRight": "Dreta", - "PE.Views.EditSlide.textSmoothly": "Suavitzar", - "PE.Views.EditSlide.textSplit": "Dividir", - "PE.Views.EditSlide.textStartOnClick": "Arrancar Amb Clic", - "PE.Views.EditSlide.textStyle": "Estil", - "PE.Views.EditSlide.textTheme": "Tema", - "PE.Views.EditSlide.textTop": "Superior", - "PE.Views.EditSlide.textTopLeft": "A dalt-Esquerra", - "PE.Views.EditSlide.textTopRight": "A dalt-Dreta", - "PE.Views.EditSlide.textTransition": "Transició", - "PE.Views.EditSlide.textType": "Tipus", - "PE.Views.EditSlide.textUnCover": "Destapar", - "PE.Views.EditSlide.textVerticalIn": "Vertical Dins", - "PE.Views.EditSlide.textVerticalOut": "Vertical Fora", - "PE.Views.EditSlide.textWedge": "Falca", - "PE.Views.EditSlide.textWipe": "Netejar", - "PE.Views.EditSlide.textZoom": "Zoom", - "PE.Views.EditSlide.textZoomIn": "Ampliar", - "PE.Views.EditSlide.textZoomOut": "Reduir", - "PE.Views.EditSlide.textZoomRotate": "Ampliació i Girar", - "PE.Views.EditTable.textAddCustomColor": "Afegir Color Personalitzat", - "PE.Views.EditTable.textAlign": "Alinear", - "PE.Views.EditTable.textAlignBottom": "Alineació inferior", - "PE.Views.EditTable.textAlignCenter": "Centrar", - "PE.Views.EditTable.textAlignLeft": "Alinear esquerra", - "PE.Views.EditTable.textAlignMiddle": "Alinear al mig", - "PE.Views.EditTable.textAlignRight": "Alinear dreta", - "PE.Views.EditTable.textAlignTop": "Alinear superior", - "PE.Views.EditTable.textBack": "Enrere", - "PE.Views.EditTable.textBackward": "Tornar enrere", - "PE.Views.EditTable.textBandedColumn": "Columna amb bandes", - "PE.Views.EditTable.textBandedRow": "Fila de Bandes", - "PE.Views.EditTable.textBorder": "Vora", - "PE.Views.EditTable.textCellMargins": "Marges de Cel·la", - "PE.Views.EditTable.textColor": "Color", - "PE.Views.EditTable.textCustomColor": "Color Personalitzat", - "PE.Views.EditTable.textFill": "Omplir", - "PE.Views.EditTable.textFirstColumn": "Primera Columna", - "PE.Views.EditTable.textForward": "Moure Endavant", - "PE.Views.EditTable.textHeaderRow": "Fila de Capçalera", - "PE.Views.EditTable.textLastColumn": "Última Columna", - "PE.Views.EditTable.textOptions": "Opcions", - "PE.Views.EditTable.textRemoveTable": "Esborrar Taula", - "PE.Views.EditTable.textReorder": "Reordenar", - "PE.Views.EditTable.textSize": "Mida", - "PE.Views.EditTable.textStyle": "Estil", - "PE.Views.EditTable.textStyleOptions": "Opcions Estil", - "PE.Views.EditTable.textTableOptions": "Opcions Taula", - "PE.Views.EditTable.textToBackground": "Enviar a un segon pla", - "PE.Views.EditTable.textToForeground": "Porta a Primer pla", - "PE.Views.EditTable.textTotalRow": "Total Fila", - "PE.Views.EditTable.txtDistribHor": "Distribuïu horitzontalment", - "PE.Views.EditTable.txtDistribVert": "Distribuïu verticalment", - "PE.Views.EditText.textAddCustomColor": "Afegir Color Personalitzat", - "PE.Views.EditText.textAdditional": "Addicional", - "PE.Views.EditText.textAdditionalFormat": "Format addicional", - "PE.Views.EditText.textAfter": "Després", - "PE.Views.EditText.textAllCaps": "Tot amb majúscules", - "PE.Views.EditText.textAutomatic": "Automàtic", - "PE.Views.EditText.textBack": "Enrere", - "PE.Views.EditText.textBefore": "Abans", - "PE.Views.EditText.textBullets": "Vinyetes", - "PE.Views.EditText.textCharacterBold": "B", - "PE.Views.EditText.textCharacterItalic": "I", - "PE.Views.EditText.textCharacterStrikethrough": "S", - "PE.Views.EditText.textCharacterUnderline": "U", - "PE.Views.EditText.textCustomColor": "Color Personalitzat", - "PE.Views.EditText.textDblStrikethrough": "Doble ratllat", - "PE.Views.EditText.textDblSuperscript": "Superíndex", - "PE.Views.EditText.textFontColor": "Color de Font", - "PE.Views.EditText.textFontColors": "Colors de Font", - "PE.Views.EditText.textFonts": "Fonts", - "PE.Views.EditText.textFromText": "Distància del text", - "PE.Views.EditText.textLetterSpacing": "Espai de Lletres", - "PE.Views.EditText.textLineSpacing": "Espai entre Línies", - "PE.Views.EditText.textNone": "Cap", - "PE.Views.EditText.textNumbers": "Nombres", - "PE.Views.EditText.textSize": "Mida", - "PE.Views.EditText.textSmallCaps": "Majúscules Petites", - "PE.Views.EditText.textStrikethrough": "Ratllar", - "PE.Views.EditText.textSubscript": "Subíndex", - "PE.Views.Search.textCase": "Sensible a majúscules i minúscules", - "PE.Views.Search.textDone": "Fet", - "PE.Views.Search.textFind": "Buscar", - "PE.Views.Search.textFindAndReplace": "Buscar i Canviar", - "PE.Views.Search.textReplace": "Canviar", - "PE.Views.Search.textSearch": "Cerca", - "PE.Views.Settings. textComment": "Comentari", - "PE.Views.Settings.mniSlideStandard": "Estàndard (4:3)", - "PE.Views.Settings.mniSlideWide": "Pantalla ampla (16:9)", - "PE.Views.Settings.textAbout": "Sobre", - "PE.Views.Settings.textAddress": "Adreça", - "PE.Views.Settings.textApplication": "Aplicació", - "PE.Views.Settings.textApplicationSettings": "Opcions de configuració de l'aplicació", - "PE.Views.Settings.textAuthor": "Autor", - "PE.Views.Settings.textBack": "Enrere", - "PE.Views.Settings.textCentimeter": "Centímetre", - "PE.Views.Settings.textCollaboration": "Col·laboració", - "PE.Views.Settings.textColorSchemes": "Esquema de Color", - "PE.Views.Settings.textCreated": "Creat", - "PE.Views.Settings.textCreateDate": "Data de creació", - "PE.Views.Settings.textDisableAll": "Inhabilita tot", - "PE.Views.Settings.textDisableAllMacrosWithNotification": "Desactiveu totes les macros amb una notificació", - "PE.Views.Settings.textDisableAllMacrosWithoutNotification": "Desactiveu totes les macros sense una notificació", - "PE.Views.Settings.textDone": "Fet", - "PE.Views.Settings.textDownload": "Descarregar", - "PE.Views.Settings.textDownloadAs": "Descarregar com a...", - "PE.Views.Settings.textEditPresent": "Editar Presentació", - "PE.Views.Settings.textEmail": "Correu electrònic", - "PE.Views.Settings.textEnableAll": "Activa tot", - "PE.Views.Settings.textEnableAllMacrosWithoutNotification": "Habiliteu totes les macros sense una notificació", - "PE.Views.Settings.textFind": "Buscar", - "PE.Views.Settings.textFindAndReplace": "Buscar i Canviar", - "PE.Views.Settings.textHelp": "Ajuda", - "PE.Views.Settings.textInch": "Polzada", - "PE.Views.Settings.textLastModified": "Última Modificació", - "PE.Views.Settings.textLastModifiedBy": "Última Modificació Per", - "PE.Views.Settings.textLoading": "Carregant...", - "PE.Views.Settings.textLocation": "Ubicació", - "PE.Views.Settings.textMacrosSettings": "Configuració de Macros", - "PE.Views.Settings.textOwner": "Propietari", - "PE.Views.Settings.textPoint": "Punt", - "PE.Views.Settings.textPoweredBy": "Impulsat per", - "PE.Views.Settings.textPresentInfo": "Informació de Presentació", - "PE.Views.Settings.textPresentSettings": "Configuració de Presentació", - "PE.Views.Settings.textPresentSetup": "Configuració Presentació", - "PE.Views.Settings.textPresentTitle": "Títol Presentació", - "PE.Views.Settings.textPrint": "Imprimir", - "PE.Views.Settings.textSettings": "Configuració", - "PE.Views.Settings.textShowNotification": "Mostra la Notificació", - "PE.Views.Settings.textSlideSize": "Mida Diapositiva", - "PE.Views.Settings.textSpellcheck": "Comprovació Ortogràfica", - "PE.Views.Settings.textSubject": "Assumpte", - "PE.Views.Settings.textTel": "tel", - "PE.Views.Settings.textTitle": "Títol", - "PE.Views.Settings.textUnitOfMeasurement": "Unitat de Mesura", - "PE.Views.Settings.textUploaded": "Penjat", - "PE.Views.Settings.textVersion": "Versió", - "PE.Views.Settings.unknownText": "Desconegut", - "PE.Views.Toolbar.textBack": "Enrere" + "About": { + "textAbout": "Quant a...", + "textAddress": "Adreça", + "textBack": "Enrere", + "textEmail": "Correu electrònic", + "textPoweredBy": "Impulsat per", + "textTel": "Tel", + "textVersion": "Versió" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Advertiment", + "textAddComment": "Afegir comentari", + "textAddReply": "Afegir Resposta", + "textBack": "Enrere", + "textCancel": "Cancel·lar", + "textCollaboration": "Col·laboració", + "textComments": "Comentaris", + "textDeleteComment": "Suprimir comentari", + "textDeleteReply": "Suprimir resposta", + "textDone": "Fet", + "textEdit": "Editar", + "textEditComment": "Editar Comentari", + "textEditReply": "Editar Resposta", + "textEditUser": "Usuaris que editen el fitxer:", + "textMessageDeleteComment": "Segur que vol suprimir aquest comentari?", + "textMessageDeleteReply": "Segur que vol suprimir aquesta resposta?", + "textNoComments": "Aquest document no conté comentaris", + "textReopen": "Reobrir", + "textResolve": "Resoldre", + "textTryUndoRedo": "Les funcions Desfer/Refer estan desactivades per al mode de coedició ràpida.", + "textUsers": "Usuaris" + }, + "ThemeColorPalette": { + "textCustomColors": "Colors Personalitzats", + "textStandartColors": "Colors Estàndard", + "textThemeColors": "Colors del Tema" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "Les accions de copiar, tallar i enganxar mitjançant el menú contextual només es realitzaran en el fitxer actual.", + "menuAddComment": "Afegir comentari", + "menuAddLink": "Afegir Enllaç", + "menuCancel": "Cancel·lar", + "menuDelete": "Suprimir", + "menuDeleteTable": "Suprimir Taula", + "menuEdit": "Editar", + "menuMerge": "Combinar", + "menuMore": "Més", + "menuOpenLink": "Obrir Enllaç", + "menuSplit": "Dividir", + "menuViewComment": "Veure Comentari", + "textColumns": "Columnes", + "textCopyCutPasteActions": "Accions de Copiar, Tallar i Enganxar ", + "textDoNotShowAgain": "No ho tornis a mostrar", + "textRows": "Files" + }, + "Controller": { + "Main": { + "advDRMOptions": "Fitxer Protegit", + "advDRMPassword": "Contrasenya", + "closeButtonText": "Tancar Fitxer", + "criticalErrorTitle": "Error", + "errorAccessDeny": "Esteu intentant realitzar una acció per a la qual no teniu drets.
Poseu-vos en contacte amb l'administrador.", + "errorOpensource": "Utilitzant la versió comunitària lliure, només podeu obrir documents per a la seva visualització. Per accedir als editors web mòbils, es requereix una llicència comercial.", + "errorProcessSaveResult": "Error en desar", + "errorServerVersion": "S'ha actualitzat la versió de l'editor. Es tornarà a carregar la pàgina per aplicar els canvis.", + "errorUpdateVersion": "La versió del fitxer s'ha canviat. La pàgina es tornarà a carregar.", + "leavePageText": "Teniu canvis no desats en aquest document. Feu clic a \"Mantingueu-vos en aquesta pàgina\" per esperar al desament automàtic. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", + "notcriticalErrorTitle": "Advertiment", + "SDK": { + "Chart": "Gràfic", + "ClipArt": "Imatges Predissenyades", + "Date and time": "Data i hora", + "Diagram": "Diagrama", + "Diagram Title": "Títol del Gràfic", + "Footer": "Peu de pàgina", + "Header": "Capçalera", + "Image": "Imatge", + "Media": "Mitjans", + "Picture": "Imatge", + "Series": "Sèrie", + "Slide number": "Número de Diapositiva", + "Slide subtitle": "Subtítol de Diapositiva", + "Slide text": "Text de Diapositiva", + "Slide title": "Títol de Diapositiva", + "Table": "Taula", + "X Axis": "Eix X XAS", + "Y Axis": "Eix Y", + "Your text here": "El seu text aquí" + }, + "textAnonymous": "Anònim", + "textBuyNow": "Visitar lloc web", + "textClose": "Tancar", + "textContactUs": "Contacte de Vendes", + "textCustomLoader": "No teniu permisos per canviar el carregador. Si us plau, contacta amb el nostre departament de vendes per obtenir un pressupost.", + "textGuest": "Convidat", + "textHasMacros": "El fitxer conté macros automàtiques.
Voleu executar macros?", + "textNo": "No", + "textNoLicenseTitle": "Heu arribat al límit de la llicència", + "textOpenFile": "Introduïu una contrasenya per obrir el fitxer", + "textPaidFeature": "Funció de pagament", + "textRemember": "Recordar la meva elecció", + "textYes": "Sí", + "titleLicenseExp": "Llicència caducada", + "titleServerVersion": "Editor actualitzat", + "titleUpdateVersion": "Versió canviada", + "txtIncorrectPwd": "La contrasenya és incorrecta", + "txtProtected": "Un cop hàgiu introduït la contrasenya i obert el fitxer, es restablirà la contrasenya actual del fitxer", + "warnLicenseExceeded": "Heu assolit el límit per a connexions simultànies a %1 editors. Aquest document només s'obrirà per a la seva visualització. Contacteu amb l'administrador per a conèixer-ne més.", + "warnLicenseExp": "La vostra llicència ha caducat. Si us plau, actualitzeu-la i recarregueu la pàgina.", + "warnLicenseLimitedNoAccess": "La llicència ha caducat. No teniu accés a la funcionalitat d'edició de documents. Contacteu amb l'administrador.", + "warnLicenseLimitedRenewed": "Cal renovar la llicència. Teniu accés limitat a la funcionalitat d'edició de documents.
Contacteu amb l'administrador per obtenir accés complet", + "warnLicenseUsersExceeded": "Heu arribat al límit d'usuari per a %1 editors. Contacteu amb l'administrador per conèixer-ne més.", + "warnNoLicense": "Heu assolit el límit per a connexions simultànies a %1 editors. Aquest document només s'obrirà per a la seva visualització. Posa't en contacte amb l'equip de vendes %1 per a les condicions d'actualització personal.", + "warnNoLicenseUsers": "Heu arribat al límit d'usuaris concurrents per a %1 editors.
Contactau l'equip de vendes per a les condicions de millora personal dels vostres serveis.", + "warnProcessRightsChange": "No teniu permís per editar el fitxer." + } + }, + "Error": { + "convertationTimeoutText": "S'ha superat el temps de conversió.", + "criticalErrorExtText": "Premeu «D'acord» per tornar a la llista de documents.", + "criticalErrorTitle": "Error", + "downloadErrorText": "Ha fallat la Descàrrega.", + "errorAccessDeny": "Esteu intentant dur a terme una acció per a la qual no teniu drets.
Poseu-vos en contacte amb l'administrador.", + "errorBadImageUrl": "L'enllaç de la imatge es incorrecte", + "errorConnectToServer": "No es pot desar aquest document. Comproveu la configuració de la connexió o poseu-vos en contacte amb l'administrador.
Quan feu clic al botó «D'acord», se us demanarà que baixeu el document.", + "errorDatabaseConnection": "Error extern.
Error de connexió a la base de dades. Si us plau, poseu-vos en contacte amb el servei d'assistència.", + "errorDataEncrypted": "S'han rebut canvis xifrats, que no es poden desxifrar.", + "errorDataRange": "Interval de dades incorrecte.", + "errorDefaultMessage": "Codi d'error:%1", + "errorEditingDownloadas": "S'ha produït un error durant el treball amb el document.
Utilitzeu l'opció \"Descarregar\" per desar la còpia de seguretat del fitxer localment.", + "errorFilePassProtect": "El fitxer està protegit amb contrasenya i no s'ha pogut obrir.", + "errorFileSizeExceed": "La mida del fitxer supera la limitació del servidor.
Si us plau, poseu-vos en contacte amb l'administrador.", + "errorKeyEncrypt": "Descriptor de la clau desconegut", + "errorKeyExpire": "El descriptor de la clau ha caducat", + "errorSessionAbsolute": "La sessió d'edició del document ha caducat. Torneu a carregar la pàgina.", + "errorSessionIdle": "El document no s'ha editat durant molt de temps. Torneu a carregar la pàgina.", + "errorSessionToken": "S'ha interromput la connexió al servidor. Torneu a carregar la pàgina.", + "errorStockChart": "L'ordre de fila és incorrecte. Per construir un diagrama de valors, poseu les dades al full en el següent ordre:
preu d'obertura, preu màxim, preu mínim, preu de tancament.", + "errorUpdateVersionOnDisconnect": "S'ha restaurat la connexió a Internet i s'ha canviat la versió del fitxer.
Abans de continuar treballant, descarregueu el fitxer o copieu el seu contingut per assegurar-vos que no es perd res i torneu a carregar aquesta pàgina.", + "errorUserDrop": "Ara no es pot accedir al fitxer.", + "errorUsersExceed": "S'ha superat el nombre d’usuaris permès pel vostre pla", + "errorViewerDisconnect": "S'ha perdut la connexió. Encara podeu veure el document,
, però no podreu baixar-lo fins que es restableixi la connexió i es torni a carregar la pàgina.", + "notcriticalErrorTitle": "Advertiment", + "openErrorText": "S'ha produït un error en obrir el fitxer", + "saveErrorText": "S'ha produït un error en desar el fitxer", + "scriptLoadError": "La connexió és massa lenta, alguns dels components no s'han pogut carregar. Torneu a carregar la pàgina.", + "splitDividerErrorText": "El nombre de files ha de ser un divisor de %1", + "splitMaxColsErrorText": "El nombre de columnes ha de ser inferior a %1", + "splitMaxRowsErrorText": "El nombre de files ha de ser inferior a %1", + "unknownErrorText": "Error Desconegut.", + "uploadImageExtMessage": "Format d'imatge desconegut.", + "uploadImageFileCountMessage": "No hi ha imatges carregades.", + "uploadImageSizeMessage": "La imatge és massa gran. La mida màxima és de 25 MB." + }, + "LongActions": { + "applyChangesTextText": "Carregant dades...", + "applyChangesTitleText": "Carregant Dades", + "downloadTextText": "Descarregant document...", + "downloadTitleText": "Descarregant Document", + "loadFontsTextText": "Carregant dades...", + "loadFontsTitleText": "Carregant Dades", + "loadFontTextText": "Carregant dades...", + "loadFontTitleText": "Carregant Dades", + "loadImagesTextText": "Carregant imatges...", + "loadImagesTitleText": "Carregant Imatges", + "loadImageTextText": "Carregant imatge...", + "loadImageTitleText": "Carregant Imatge", + "loadingDocumentTextText": "Carregant document...", + "loadingDocumentTitleText": "Carregant document", + "loadThemeTextText": "Carregant tema...", + "loadThemeTitleText": "Carregant Tema", + "openTextText": "Obrint Document...", + "openTitleText": "Obrint Document", + "printTextText": "Imprimint Document...", + "printTitleText": "Imprimint Document", + "savePreparingText": "Preparant per desar", + "savePreparingTitle": "Preparant per desar. Si us plau, esperi...", + "saveTextText": "Desant document...", + "saveTitleText": "Desant Document", + "textLoadingDocument": "Carregant document", + "txtEditingMode": "Establir el mode d'edició ...", + "uploadImageTextText": "Carregant imatge...", + "uploadImageTitleText": "Carregant Imatge", + "waitText": "Si us plau, esperi..." + }, + "Toolbar": { + "dlgLeaveMsgText": "Teniu canvis no desats en aquest document. Feu clic a \"Mantingueu-vos en aquesta pàgina\" per esperar al desament automàtic. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", + "dlgLeaveTitleText": "Deixeu l'aplicació", + "leaveButtonText": "Sortir d'aquesta Pàgina", + "stayButtonText": "Queda't en aquesta Pàgina" + }, + "View": { + "Add": { + "notcriticalErrorTitle": "Advertiment", + "textAddLink": "Afegir Enllaç", + "textAddress": "Adreça", + "textBack": "Enrere", + "textCancel": "Cancel·lar", + "textColumns": "Columnes", + "textComment": "Comentari", + "textDefault": "Text Seleccionat", + "textDisplay": "Mostrar", + "textEmptyImgUrl": "Heu d'especificar l'URL de la imatge.", + "textExternalLink": "Enllaç Extern", + "textFirstSlide": "Primera Diapositiva", + "textImage": "Imatge", + "textImageURL": "URL de la Imatge ", + "textInsert": "Insertar", + "textInsertImage": "Insertar Imatge", + "textLastSlide": "Última Diapositiva", + "textLink": "Enllaç", + "textLinkSettings": "Propietats d'Enllaç", + "textLinkTo": "Enllaç a", + "textLinkType": "Tipus d'Enllaç", + "textNextSlide": "Següent Diapositiva", + "textOther": "Altre", + "textPictureFromLibrary": "Imatge de la Biblioteca", + "textPictureFromURL": "Imatge de l'URL", + "textPreviousSlide": "Diapositiva Anterior", + "textRows": "Files", + "textScreenTip": "Consell de Pantalla", + "textShape": "Forma", + "textSlide": "Diapositiva", + "textSlideInThisPresentation": "Diapositiva en aquesta Presentació", + "textSlideNumber": "Número de Diapositiva", + "textTable": "Taula", + "textTableSize": "Mida de la Taula", + "txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.exemple.com\"" + }, + "Edit": { + "notcriticalErrorTitle": "Advertiment", + "textActualSize": "Mida Real", + "textAddCustomColor": "Afegir Color Personalitzat", + "textAdditional": "Addicional", + "textAdditionalFormatting": "Format Addicional", + "textAddress": "Adreça", + "textAfter": "després", + "textAlign": "Alinear", + "textAlignBottom": "Alineació Inferior", + "textAlignCenter": "Centrar", + "textAlignLeft": "Alineació esquerra", + "textAlignMiddle": "Alinear al Mig", + "textAlignRight": "Alineació Dreta", + "textAlignTop": "Alineació Superior", + "textAllCaps": "Tot Majúscules", + "textApplyAll": "Aplicar a totes les diapositives", + "textAuto": "Auto", + "textBack": "Enrere", + "textBandedColumn": "Columna amb bandes", + "textBandedRow": "Fila amb bandes", + "textBefore": "Abans", + "textBlack": "En negre", + "textBorder": "Vora", + "textBottom": "Inferior", + "textBottomLeft": "Inferior-Esquerra", + "textBottomRight": "Inferior-Dreta", + "textBringToForeground": "Portar a Primer pla", + "textBulletsAndNumbers": "Vinyetes i números", + "textCaseSensitive": "Sensible a Majúscules i Minúscules", + "textCellMargins": "Marges de Cel·la", + "textChart": "Gràfic", + "textClock": "Rellotge", + "textClockwise": "En sentit horari", + "textColor": "Color", + "textCounterclockwise": "En sentit antihorari", + "textCover": "Cobrir", + "textCustomColor": "Color Personalitzat", + "textDefault": "Text Seleccionat", + "textDelay": "Retard", + "textDeleteSlide": "Suprimir Diapositiva", + "textDisplay": "Mostrar", + "textDistanceFromText": "Distància Des Del Text", + "textDistributeHorizontally": "Distribuir Horitzontalment", + "textDistributeVertically": "Distribuir Verticalment", + "textDone": "Fet", + "textDoubleStrikethrough": "Doble Ratllat", + "textDuplicateSlide": "Diapositiva Duplicada", + "textDuration": "Duració", + "textEditLink": "Editar Enllaç", + "textEffect": "Efecte", + "textEffects": "Efectes", + "textEmptyImgUrl": "Heu d'especificar l'URL de la imatge.", + "textExternalLink": "Enllaç Extern", + "textFade": "Difuminar", + "textFill": "Omplir", + "textFinalMessage": "Final de la previsualització de diapositives. Feu clic per sortir.", + "textFind": "Cercar", + "textFindAndReplace": "Cercar i Substituir", + "textFirstColumn": "Primera Columna", + "textFirstSlide": "Primera Diapositiva", + "textFontColor": "Color de Font", + "textFontColors": "Colors de Font", + "textFonts": "Fonts", + "textFromLibrary": "Imatge de la Biblioteca", + "textFromURL": "Imatge de l'URL", + "textHeaderRow": "Fila de Capçalera", + "textHighlight": "Ressaltar els resultats", + "textHighlightColor": "Color de ressaltat", + "textHorizontalIn": "Horitzontal Entrant", + "textHorizontalOut": "Horitzontal Sortint", + "textHyperlink": "Hiperenllaç", + "textImage": "Imatge", + "textImageURL": "URL de la Imatge ", + "textLastColumn": "Última Columna", + "textLastSlide": "Última Diapositiva", + "textLayout": "Maquetació", + "textLeft": "Esquerra", + "textLetterSpacing": "Espaiat de Lletres", + "textLineSpacing": "Espaiat Entre Línies", + "textLink": "Enllaç", + "textLinkSettings": "Propietats d'Enllaç", + "textLinkTo": "Enllaç a", + "textLinkType": "Tipus d'Enllaç", + "textMoveBackward": "Moure Enrere", + "textMoveForward": "Moure Endavant", + "textNextSlide": "Següent Diapositiva", + "textNone": "cap", + "textNoStyles": "No hi ha estils per a aquest tipus de diagrama.", + "textNoTextFound": "No s'ha trobat el text", + "textNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.exemple.com\"", + "textOpacity": "Opacitat", + "textOptions": "Opcions", + "textPictureFromLibrary": "Imatge de la Biblioteca", + "textPictureFromURL": "Imatge de l'URL", + "textPreviousSlide": "Diapositiva Anterior", + "textPt": "pt", + "textPush": "Empenyi", + "textRemoveChart": "Eliminar Diagrama", + "textRemoveImage": "Eliminar Imatge", + "textRemoveLink": "Eliminar Enllaç", + "textRemoveShape": "Eliminar forma", + "textRemoveTable": "Eliminar Taula", + "textReorder": "Reordenar", + "textReplace": "Substituir", + "textReplaceAll": "Substituir-ho Tot ", + "textReplaceImage": "Substituir Imatge", + "textRight": "Dreta", + "textScreenTip": "Consell de Pantalla", + "textSearch": "Cercar", + "textSec": "S", + "textSelectObjectToEdit": "Seleccionar l'objecte a editar", + "textSendToBackground": "Enviar al fons", + "textShape": "Forma", + "textSize": "Mida", + "textSlide": "Diapositiva", + "textSlideInThisPresentation": "Diapositiva en aquesta Presentació", + "textSlideNumber": "Número de Diapositiva", + "textSmallCaps": "Majúscules petites", + "textSmoothly": "Suavitzar", + "textSplit": "Dividir", + "textStartOnClick": "Iniciar en Fer Clic", + "textStrikethrough": "Ratllat", + "textStyle": "Estil", + "textStyleOptions": "Opcions d'Estil", + "textSubscript": "Subíndex", + "textSuperscript": "Superíndex", + "textTable": "Taula", + "textText": "Text", + "textTheme": "Tema", + "textTop": "Superior", + "textTopLeft": "Superior-Esquerra", + "textTopRight": "Superior-Dreta", + "textTotalRow": "Fila de Total", + "textTransition": "Transició", + "textType": "Tipus", + "textUnCover": "Descobrir", + "textVerticalIn": "Vertical Entrant", + "textVerticalOut": "Vertical Sortint", + "textWedge": "Falca", + "textWipe": "Netejar", + "textZoom": "Zoom", + "textZoomIn": "Ampliar", + "textZoomOut": "Reduir", + "textZoomRotate": "Ampliar i Girar" + }, + "Settings": { + "mniSlideStandard": "Estàndard (4:3)", + "mniSlideWide": "Pantalla panoràmica (16:9)", + "textAbout": "Quant a...", + "textAddress": "adreça:", + "textApplication": "Aplicació", + "textApplicationSettings": "Configuració de l'aplicació", + "textAuthor": "Autor", + "textBack": "Enrere", + "textCaseSensitive": "Sensible a Majúscules i Minúscules", + "textCentimeter": "Centímetre", + "textCollaboration": "Col·laboració", + "textColorSchemes": "Esquemes de Color", + "textComment": "Comentari", + "textCreated": "Creat", + "textDisableAll": "Desactivar-ho tot", + "textDisableAllMacrosWithNotification": "Desactivar totes les macros amb notificació", + "textDisableAllMacrosWithoutNotification": "Desactivar totes les macros sense notificació", + "textDone": "Fet", + "textDownload": "Descarregar", + "textDownloadAs": "Descarregar Com a...", + "textEmail": "email:", + "textEnableAll": "Activar-ho tot", + "textEnableAllMacrosWithoutNotification": "Activar totes les macros sense notificació", + "textFind": "Cercar", + "textFindAndReplace": "Cercar i Substituir", + "textFindAndReplaceAll": "Cercar i Substituir-ho Tot", + "textHelp": "Ajuda", + "textHighlight": "Ressaltar els resultats", + "textInch": "Polzada", + "textLastModified": "Última Modificació", + "textLastModifiedBy": "Modificat per Últim cop Per", + "textLoading": "Carregant...", + "textLocation": "Ubicació", + "textMacrosSettings": "Configuració de macros", + "textNoTextFound": "No s'ha trobat el text", + "textOwner": "Propietari", + "textPoint": "Punt", + "textPoweredBy": "Impulsat per", + "textPresentationInfo": "Informació de la Presentació", + "textPresentationSettings": "Configuració de Presentació", + "textPresentationTitle": "Títol Presentació", + "textPrint": "Imprimir", + "textReplace": "Substituir", + "textReplaceAll": "Substituir-ho Tot ", + "textSearch": "Cercar", + "textSettings": "Configuració", + "textShowNotification": "Mostra la Notificació", + "textSlideSize": "Mida de la Diapositiva", + "textSpellcheck": "Comprovació Ortogràfica", + "textSubject": "Assumpte", + "textTel": "tel:", + "textTitle": "Nom", + "textUnitOfMeasurement": "Unitat de Mesura", + "textUploaded": "Carregat", + "textVersion": "Versió" + } + } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/de.json b/apps/presentationeditor/mobile/locale/de.json index 0e0dcd235..35ce763a7 100644 --- a/apps/presentationeditor/mobile/locale/de.json +++ b/apps/presentationeditor/mobile/locale/de.json @@ -1,3 +1,437 @@ { - + "About": { + "textAbout": "Information", + "textAddress": "Adresse", + "textBack": "Zurück", + "textEmail": "E-Mail", + "textPoweredBy": "Unterstützt von", + "textTel": "Tel.", + "textVersion": "Version" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Warnung", + "textAddComment": "Kommentar hinzufügen", + "textAddReply": "Antwort hinzufügen", + "textBack": "Zurück", + "textCancel": "Abbrechen", + "textCollaboration": "Zusammenarbeit", + "textComments": "Kommentare", + "textDeleteComment": "Kommentar löschen", + "textDeleteReply": "Antwort löschen", + "textDone": "Fertig", + "textEdit": "Bearbeiten", + "textEditComment": "Kommentar bearbeiten", + "textEditReply": "Antwort bearbeiten", + "textEditUser": "Das Dokument wird gerade von mehreren Benutzern bearbeitet:", + "textMessageDeleteComment": "Möchten Sie diesen Kommentar wirklich löschen?", + "textMessageDeleteReply": "Möchten Sie diese Antwort wirklich löschen?", + "textNoComments": "Dieses Dokument enthält keine Kommentare", + "textReopen": "Wiederöffnen", + "textResolve": "Lösen", + "textTryUndoRedo": "Die Optionen Rückgängig machen/Wiederholen sind für den Schnellmodus deaktiviert.", + "textUsers": "Benutzer" + }, + "ThemeColorPalette": { + "textCustomColors": "Benutzerdefinierte Farben", + "textStandartColors": "Standardfarben", + "textThemeColors": "Farben des Themas" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "Kopieren, Ausschneiden und Einfügen über das Kontextmenü werden nur in der aktuellen Datei ausgeführt.", + "menuAddComment": "Kommentar hinzufügen", + "menuAddLink": "Link hinzufügen", + "menuCancel": "Abbrechen", + "menuDelete": "Löschen", + "menuDeleteTable": "Tabelle löschen", + "menuEdit": "Bearbeiten", + "menuMerge": "Verbinden", + "menuMore": "Mehr", + "menuOpenLink": "Link öffnen", + "menuSplit": "Aufteilen", + "menuViewComment": "Kommentar anzeigen", + "textColumns": "Spalten", + "textCopyCutPasteActions": "Kopieren, Ausschneiden und Einfügen", + "textDoNotShowAgain": "Nicht mehr anzeigen", + "textRows": "Zeilen" + }, + "Controller": { + "Main": { + "advDRMOptions": "Geschützte Datei", + "advDRMPassword": "Passwort", + "closeButtonText": "Datei schließen", + "criticalErrorTitle": "Fehler", + "errorAccessDeny": "Dieser Vorgang ist für Sie nicht verfügbar.
Bitte wenden Sie sich an Administratoren.", + "errorOpensource": "In der kostenlosen Community-Version können Sie Dokumente nur öffnen. Für Bearbeitung in mobilen Web-Editoren ist die kommerzielle Lizenz erforderlich.", + "errorProcessSaveResult": "Speichern ist fehlgeschlagen.", + "errorServerVersion": "Version des Editors wurde aktualisiert. Die Seite wird neu geladen, um die Änderungen zu übernehmen.", + "errorUpdateVersion": "Die Dateiversion wurde geändert. Die Seite wird neu geladen.", + "leavePageText": "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.", + "notcriticalErrorTitle": "Warnung", + "SDK": { + "Chart": "Diagramm", + "ClipArt": "ClipArt", + "Date and time": "Datum und Uhrzeit", + "Diagram": "Schema", + "Diagram Title": "Diagrammtitel", + "Footer": "Fußzeile", + "Header": "Kopfzeile", + "Image": "Bild", + "Media": "Multimedia", + "Picture": "Bild", + "Series": "Reihen", + "Slide number": "Foliennummer", + "Slide subtitle": "Folienuntertitel", + "Slide text": "Folientext", + "Slide title": "Folientitel", + "Table": "Tabelle", + "X Axis": "Achse X (XAS)", + "Y Axis": "Achse Y", + "Your text here": "Text hier eingeben" + }, + "textAnonymous": "Anonym", + "textBuyNow": "Webseite besuchen", + "textClose": "Schließen", + "textContactUs": "Verkaufsteam kontaktieren", + "textCustomLoader": "Sie können den Verlader nicht ändern. Sie können die Anfrage an unser Verkaufsteam senden.", + "textGuest": "Gast", + "textHasMacros": "Die Datei beinhaltet automatische Makros.
Möchten Sie Makros ausführen?", + "textNo": "Nein", + "textNoLicenseTitle": "Lizenzlimit erreicht", + "textOpenFile": "Kennwort zum Öffnen der Datei eingeben", + "textPaidFeature": "Kostenpflichtige Funktion", + "textRemember": "Auswahl speichern", + "textYes": "Ja", + "titleLicenseExp": "Lizenz ist abgelaufen", + "titleServerVersion": "Editor wurde aktualisiert", + "titleUpdateVersion": "Version wurde geändert", + "txtIncorrectPwd": "Passwort ist falsch", + "txtProtected": "Sobald Sie das Passwort eingegeben und die Datei geöffnet haben, wird das aktuelle Passwort für die Datei zurückgesetzt", + "warnLicenseExceeded": "Sie haben die maximale Anzahl von gleichzeitigen Verbindungen in %1-Editoren erreicht. Die Bearbeitung ist jetzt in diesem Dokument nicht verfügbar. Wenden Sie sich an Administratoren für weitere Informationen.", + "warnLicenseExp": "Ihre Lizenz ist abgelaufen. Bitte erneuern Sie die Lizenz und laden Sie die Seite neu.", + "warnLicenseLimitedNoAccess": "Lizenz abgelaufen. Keine Bearbeitung möglich. Bitte wenden Sie sich an Administratoren.", + "warnLicenseLimitedRenewed": "Die Lizenz soll erneuert werden. Die Bearbeitungsfunktionen wurden eingeschränkt.
Bitte wenden Sie sich an Administratoren für den vollen Zugriff", + "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." + } + }, + "Error": { + "convertationTimeoutText": "Zeitüberschreitung bei der Konvertierung.", + "criticalErrorExtText": "Klicken Sie auf OK, um zur Liste von Dokumenten zurückzukehren.", + "criticalErrorTitle": "Fehler", + "downloadErrorText": "Herunterladen ist fehlgeschlagen.", + "errorAccessDeny": "Dieser Vorgang ist für Sie nicht verfügbar.
Bitte wenden Sie sich an Administratoren.", + "errorBadImageUrl": "URL des Bildes ist falsch", + "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.", + "errorDatabaseConnection": "Externer Fehler.
Datenbank-Verbindungsfehler. Wenden Sie sich an den Support.", + "errorDataEncrypted": "Verschlüsselte Änderungen wurden empfangen. Sie können nicht entschlüsselt werden.", + "errorDataRange": "Falscher Datenbereich.", + "errorDefaultMessage": "Fehlercode: %1", + "errorEditingDownloadas": "Fehler bei der Arbeit an diesem Dokument.
Laden Sie die Datei herunter, um sie lokal zu speichern.", + "errorFilePassProtect": "Die Datei ist mit Passwort geschützt und kann nicht geöffnet werden.", + "errorFileSizeExceed": "Die Dateigröße ist zu hoch für Ihren Server.
Bitte wenden Sie sich an Administratoren.", + "errorKeyEncrypt": "Unbekannter Schlüsseldeskriptor", + "errorKeyExpire": "Der Schlüsseldeskriptor ist abgelaufen", + "errorSessionAbsolute": "Die Bearbeitungssitzung ist abgelaufen. Bitte die Seite neu laden.", + "errorSessionIdle": "Das Dokument wurde schon für lange Zeit nicht bearbeitet. Bitte die Seite neu laden.", + "errorSessionToken": "Die Verbindung mit dem Server wurde unterbrochen. Bitte die Seite neu laden.", + "errorStockChart": "Falsche Reihenfolge der Zeilen. Um ein Kursdiagramm zu erstellen, setzen Sie die Daten im Arbeitsblatt in dieser Reihenfolge:
Eröffnungskurs, Maximaler Preis, Minimaler Preis, Schlusskurs.", + "errorUpdateVersionOnDisconnect": "Die Internetverbindung wurde wiederhergestellt und die Dateiversion wurde geändert.
Bevor Sie weiterarbeiten können, müssen Sie die Datei herunterladen oder den Inhalt kopieren, um sicherzustellen, dass nichts verloren geht, und diese Seite anschließend neu laden.", + "errorUserDrop": "Kein Zugriff auf diese Datei möglich.", + "errorUsersExceed": "Die nach dem Zahlungsplan erlaubte Benutzeranzahl ist überschritten", + "errorViewerDisconnect": "Die Verbindung wurde abgebrochen. Das Dokument wird angezeigt,
das Herunterladen wird aber nur verfügbar, wenn die Verbindung wiederhergestellt ist.", + "notcriticalErrorTitle": "Warnung", + "openErrorText": "Beim Öffnen dieser Datei ist ein Fehler aufgetreten", + "saveErrorText": "Beim Speichern dieser Datei ist ein Fehler aufgetreten", + "scriptLoadError": "Die Verbindung ist zu langsam, manche Elemente wurden nicht geladen. Bitte die Seite neu laden.", + "splitDividerErrorText": "Die Anzahl der Zeilen muss einen Divisor von %1 sein. ", + "splitMaxColsErrorText": "Spaltenanzahl muss weniger als %1 sein", + "splitMaxRowsErrorText": "Die Anzahl der Zeilen muss weniger als %1 sein", + "unknownErrorText": "Unbekannter Fehler.", + "uploadImageExtMessage": "Unbekanntes Bildformat.", + "uploadImageFileCountMessage": "Keine Bilder hochgeladen.", + "uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten." + }, + "LongActions": { + "applyChangesTextText": "Daten werden geladen...", + "applyChangesTitleText": "Daten werden geladen", + "downloadTextText": "Dokument wird heruntergeladen...", + "downloadTitleText": "Herunterladen des Dokuments", + "loadFontsTextText": "Daten werden geladen...", + "loadFontsTitleText": "Daten werden geladen", + "loadFontTextText": "Daten werden geladen...", + "loadFontTitleText": "Daten werden geladen", + "loadImagesTextText": "Bilder werden geladen...", + "loadImagesTitleText": "Bilder werden geladen", + "loadImageTextText": "Bild wird geladen...", + "loadImageTitleText": "Bild wird geladen", + "loadingDocumentTextText": "Dokument wird geladen...", + "loadingDocumentTitleText": "Dokument wird geladen", + "loadThemeTextText": "Thema wird geladen...", + "loadThemeTitleText": "Laden des Themas", + "openTextText": "Dokument wird geöffnet...", + "openTitleText": "Das Dokument wird geöffnet", + "printTextText": "Dokument wird ausgedruckt...", + "printTitleText": "Drucken des Dokuments", + "savePreparingText": "Speichervorbereitung", + "savePreparingTitle": "Speichervorbereitung. Bitte warten...", + "saveTextText": "Dokument wird gespeichert...", + "saveTitleText": "Dokument wird gespeichert...", + "textLoadingDocument": "Dokument wird geladen...", + "txtEditingMode": "Bearbeitungsmodul wird festgelegt...", + "uploadImageTextText": "Das Bild wird hochgeladen...", + "uploadImageTitleText": "Bild wird hochgeladen", + "waitText": "Bitte warten..." + }, + "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.", + "dlgLeaveTitleText": "Sie schließen die App", + "leaveButtonText": "Seite verlassen", + "stayButtonText": "Auf dieser Seite bleiben" + }, + "View": { + "Add": { + "notcriticalErrorTitle": "Warnung", + "textAddLink": "Link hinzufügen", + "textAddress": "Adresse", + "textBack": "Zurück", + "textCancel": "Abbrechen", + "textColumns": "Spalten", + "textComment": "Kommentar", + "textDefault": "Ausgewählter Text", + "textDisplay": "Anzeigen", + "textEmptyImgUrl": "Sie müssen die URL des Bildes angeben.", + "textExternalLink": "Externer Link", + "textFirstSlide": "Erste Folie", + "textImage": "Bild", + "textImageURL": "URL des Bildes", + "textInsert": "Einfügen", + "textInsertImage": "Bild einfügen", + "textLastSlide": "Letzte Folie", + "textLink": "Link", + "textLinkSettings": "Linkseinstellungen", + "textLinkTo": "Verknüpfen mit", + "textLinkType": "Linktyp", + "textNextSlide": "Nächste Folie", + "textOther": "Sonstiges", + "textPictureFromLibrary": "Bild aus dem Verzeichnis", + "textPictureFromURL": "Bild aus URL", + "textPreviousSlide": "Vorherige Folie", + "textRows": "Zeilen", + "textScreenTip": "QuickInfo", + "textShape": "Form", + "textSlide": "Folie", + "textSlideInThisPresentation": "Folie in dieser Präsentation", + "textSlideNumber": "Foliennummer", + "textTable": "Tabelle", + "textTableSize": "Tabellengröße", + "txtNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein." + }, + "Edit": { + "notcriticalErrorTitle": "Warnung", + "textActualSize": "Tatsächliche Größe", + "textAddCustomColor": "Eine benutzerdefinierte Farbe hinzufügen", + "textAdditional": "Zusätzlich", + "textAdditionalFormatting": "Zusätzliche Formatierung", + "textAddress": "Adresse", + "textAfter": "nach", + "textAlign": "Ausrichtung", + "textAlignBottom": "Unten ausrichten", + "textAlignCenter": "Zentriert ausrichten", + "textAlignLeft": "Linksbündig ausrichten", + "textAlignMiddle": "Mittig ausrichten", + "textAlignRight": "Rechtsbündig ausrichten", + "textAlignTop": "Oben ausrichten", + "textAllCaps": "Alle Großbuchstaben", + "textApplyAll": "Auf alle Folien anwenden", + "textAuto": "auto", + "textBack": "Zurück", + "textBandedColumn": "Gebänderte Spalten", + "textBandedRow": "Gebänderte Zeilen", + "textBefore": "Vor ", + "textBlack": "Durch Schwarz", + "textBorder": "Rahmen", + "textBottom": "Unten", + "textBottomLeft": "Unten links", + "textBottomRight": "Unten rechts", + "textBringToForeground": "In den Vordergrund bringen", + "textBulletsAndNumbers": "Aufzählungszeichen und Nummern", + "textCaseSensitive": "Groß-/Kleinschreibung beachten", + "textCellMargins": "Zellenränder", + "textChart": "Diagramm", + "textClock": "Uhr", + "textClockwise": "Im Uhrzeigersinn", + "textColor": "Farbe", + "textCounterclockwise": "Gegen Uhrzeigersinn", + "textCover": "Bedecken", + "textCustomColor": "Benutzerdefinierte Farbe", + "textDefault": "Ausgewählter Text", + "textDelay": "Verzögern", + "textDeleteSlide": "Folie löschen", + "textDisplay": "Anzeigen", + "textDistanceFromText": "Abstand vom Text", + "textDistributeHorizontally": "Horizontal verteilen", + "textDistributeVertically": "Vertikal verteilen", + "textDone": "Fertig", + "textDoubleStrikethrough": "Verdoppeltes Durchstreichen", + "textDuplicateSlide": "Folie duplizieren", + "textDuration": "Dauer", + "textEditLink": "Link bearbeiten", + "textEffect": "Effekt", + "textEffects": "Effekte", + "textEmptyImgUrl": "Sie müssen die URL des Bildes angeben.", + "textExternalLink": "Externer Link", + "textFade": "Verblassen", + "textFill": "Füllung", + "textFinalMessage": "Ende der Folienvorschau. Zum Schließen bitte klicken.", + "textFind": "Suche", + "textFindAndReplace": "Suchen und ersetzen", + "textFirstColumn": "Erste Spalte", + "textFirstSlide": "Erste Folie", + "textFontColor": "Schriftfarbe", + "textFontColors": "Schriftfarben", + "textFonts": "Schriftarten", + "textFromLibrary": "Bild aus dem Verzeichnis", + "textFromURL": "Bild aus URL", + "textHeaderRow": "Überschriftenzeile", + "textHighlight": "Ergebnisse hervorheben", + "textHighlightColor": "Hervorhebungsfarbe", + "textHorizontalIn": "Horizontal nach innen", + "textHorizontalOut": "Horizontal nach außen", + "textHyperlink": "Hyperlink", + "textImage": "Bild", + "textImageURL": "URL des Bildes", + "textLastColumn": "Letzte Spalte", + "textLastSlide": "Letzte Folie", + "textLayout": "Layout", + "textLeft": "Links", + "textLetterSpacing": "Zeichenabstand", + "textLineSpacing": "Zeilenabstand", + "textLink": "Link", + "textLinkSettings": "Linkseinstellungen", + "textLinkTo": "Verknüpfen mit", + "textLinkType": "Linktyp", + "textMoveBackward": "Nach hinten", + "textMoveForward": "Nach vorne", + "textNextSlide": "Nächste Folie", + "textNone": "Kein(e)", + "textNoStyles": "Keine Stile für diesen Typ von Diagrammen.", + "textNoTextFound": "Der Text wurde nicht gefunden", + "textNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein.", + "textOpacity": "Undurchsichtigkeit", + "textOptions": "Optionen", + "textPictureFromLibrary": "Bild aus dem Verzeichnis", + "textPictureFromURL": "Bild aus URL", + "textPreviousSlide": "Vorherige Folie", + "textPt": "pt", + "textPush": "Schieben", + "textRemoveChart": "Diagramm entfernen", + "textRemoveImage": "Bild entfernen", + "textRemoveLink": "Link entfernen", + "textRemoveShape": "Form entfernen", + "textRemoveTable": "Tabelle entfernen", + "textReorder": "Neu ordnen", + "textReplace": "Ersetzen", + "textReplaceAll": "Alle ersetzen", + "textReplaceImage": "Bild ersetzen", + "textRight": "Rechts", + "textScreenTip": "QuickInfo", + "textSearch": "Suche", + "textSec": "s", + "textSelectObjectToEdit": "Wählen Sie das Objekt für Bearbeitung aus", + "textSendToBackground": "In den Hintergrund senden", + "textShape": "Form", + "textSize": "Größe", + "textSlide": "Folie", + "textSlideInThisPresentation": "Folie in dieser Präsentation", + "textSlideNumber": "Foliennummer", + "textSmallCaps": "Kapitälchen", + "textSmoothly": "Gleitend", + "textSplit": "Aufteilen", + "textStartOnClick": "Bei Klicken beginnen", + "textStrikethrough": "Durchgestrichen", + "textStyle": "Stil", + "textStyleOptions": "Stileinstellungen", + "textSubscript": "Tiefgestellt", + "textSuperscript": "Hochgestellt", + "textTable": "Tabelle", + "textText": "Text", + "textTheme": "Thema", + "textTop": "Oben", + "textTopLeft": "Oben links", + "textTopRight": "Oben rechts", + "textTotalRow": "Ergebniszeile", + "textTransition": "Übergang", + "textType": "Typ", + "textUnCover": "Aufdecken", + "textVerticalIn": "Vertikal nach innen", + "textVerticalOut": "Vertikal nach außen", + "textWedge": "Keil", + "textWipe": "Wischen", + "textZoom": "Zoom", + "textZoomIn": "Vergrößern", + "textZoomOut": "Verkleinern", + "textZoomRotate": "Vergrößern und drehen" + }, + "Settings": { + "mniSlideStandard": "Standard (4:3)", + "mniSlideWide": "Breitbildschirm (16:9)", + "textAbout": "Information", + "textAddress": "Adresse:", + "textApplication": "App", + "textApplicationSettings": "Anwendungseinstellungen", + "textAuthor": "Verfasser", + "textBack": "Zurück", + "textCaseSensitive": "Groß-/Kleinschreibung beachten", + "textCentimeter": "Zentimeter", + "textCollaboration": "Zusammenarbeit", + "textColorSchemes": "Farbschemata", + "textComment": "Kommentar", + "textCreated": "Erstellt", + "textDisableAll": "Alle deaktivieren", + "textDisableAllMacrosWithNotification": "Alle Makros mit Benachrichtigung deaktivieren", + "textDisableAllMacrosWithoutNotification": "Alle Makros ohne Benachrichtigung deaktivieren", + "textDone": "Fertig", + "textDownload": "Herunterladen", + "textDownloadAs": "Herunterladen als...", + "textEmail": "E-Mail: ", + "textEnableAll": "Alle aktivieren", + "textEnableAllMacrosWithoutNotification": "Alle Makros ohne Benachrichtigung aktivieren", + "textFind": "Suche", + "textFindAndReplace": "Suchen und ersetzen", + "textFindAndReplaceAll": "Alle suchen und ersetzen", + "textHelp": "Hilfe", + "textHighlight": "Ergebnisse hervorheben", + "textInch": "Zoll", + "textLastModified": "Zuletzt geändert", + "textLastModifiedBy": "Zuletzt geändert von", + "textLoading": "Ladevorgang...", + "textLocation": "Standort", + "textMacrosSettings": "Einstellungen von Makros", + "textNoTextFound": "Der Text wurde nicht gefunden", + "textOwner": "Besitzer", + "textPoint": "Punkt", + "textPoweredBy": "Unterstützt von", + "textPresentationInfo": "Information zur Präsentation", + "textPresentationSettings": "Präsentationseinstellungen", + "textPresentationTitle": "Titel der Präsentation", + "textPrint": "Drucken", + "textReplace": "Ersetzen", + "textReplaceAll": "Alle ersetzen", + "textSearch": "Suche", + "textSettings": "Einstellungen", + "textShowNotification": "Benachrichtigung anzeigen", + "textSlideSize": "Foliengröße", + "textSpellcheck": "Rechtschreibprüfung", + "textSubject": "Betreff", + "textTel": "Tel.", + "textTitle": "Titel", + "textUnitOfMeasurement": "Maßeinheit", + "textUploaded": "Hochgeladen", + "textVersion": "Version" + } + } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/en.json b/apps/presentationeditor/mobile/locale/en.json index 5424aece7..4989a84af 100644 --- a/apps/presentationeditor/mobile/locale/en.json +++ b/apps/presentationeditor/mobile/locale/en.json @@ -1,462 +1,437 @@ { - "Controller": { - "Main": { - "SDK": { - "Series": "Series", - "Diagram Title": "Chart Title", - "X Axis": "X Axis XAS", - "Y Axis": "Y Axis", - "Your text here": "Your text here", - "Slide text": "Slide text", - "Chart": "Chart", - "ClipArt": "Clip Art", - "Diagram": "Diagram", - "Date and time": "Date and time", - "Footer": "Footer", - "Header": "Header", - "Media": "Media", - "Picture": "Picture", - "Image": "Image", - "Slide number": "Slide number", - "Slide subtitle": "Slide subtitle", - "Table": "Table", - "Slide title": "Slide title", - "Loading": "Loading", - "Click to add notes": "Click to add notes", - "Click to add first slide": "Click to add first slide", - "None": "None" - }, - "textGuest": "Guest", - "textAnonymous": "Anonymous", - "closeButtonText": "Close File", - "advDRMOptions": "Protected File", - "advDRMPassword": "Password", - "txtProtected": "Once you enter the password and open the file, the current password to the file will be reset", - "textOpenFile": "Enter a password to open the file", - "txtIncorrectPwd": "Password is incorrect", - "leavePageText": "You have unsaved changes in this document. Click 'Stay on this Page' to await the autosave of the document. Click 'Leave this Page' to discard all the unsaved changes.", - "titleLicenseExp": "License expired", - "warnLicenseExp": "Your license has expired. Please update your license and refresh the page.", - "errorServerVersion": "The editor version has been updated. The page will be reloaded to apply the changes.", - "titleServerVersion": "Editor updated", + "About": { + "textAbout": "About", + "textAddress": "Address", + "textBack": "Back", + "textEmail": "Email", + "textPoweredBy": "Powered By", + "textTel": "Tel", + "textVersion": "Version" + }, + "Common": { + "Collaboration": { "notcriticalErrorTitle": "Warning", - "errorOpensource": "Using the free Community version you can open documents for viewing only. To access mobile web editors, a commercial license is required.", - "warnLicenseLimitedNoAccess": "License expired. You have no access to document editing functionality. Please contact your administrator.", - "warnLicenseLimitedRenewed": "License needs to be renewed. You have a limited access to document editing functionality.
Please contact your administrator to get full access", - "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.", - "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.", - "textBuyNow": "Visit website", - "textContactUs": "Contact sales", - "textNoLicenseTitle": "License limit reached", - "textPaidFeature": "Paid feature", - "textCustomLoader": "Please note that according to the terms of the license you are not entitled to change the loader. Please contact our Sales Department to get a quote.", - "textClose": "Close", - "errorProcessSaveResult": "Saving is failed.", - "criticalErrorTitle": "Error", - "warnProcessRightsChange": "You have been denied the right to edit the file.", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
Please contact your Document Server administrator.", - "errorUpdateVersion": "The file version has been changed. The page will be reloaded.", - "titleUpdateVersion": "Version changed", - "textHasMacros": "The file contains automatic macros.
Do you want to run macros?", - "textRemember": "Remember my choice", - "textYes": "Yes", - "textNo": "No" + "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" + }, + "ThemeColorPalette": { + "textCustomColors": "Custom Colors", + "textStandartColors": "Standard Colors", + "textThemeColors": "Theme Colors" } }, - "Error": { - "criticalErrorTitle": "Error", - "unknownErrorText": "Unknown error.", - "convertationTimeoutText": "Convertation timeout exceeded.", - "openErrorText": "An error has occurred while opening the file", - "saveErrorText": "An error has occurred while saving the file", - "downloadErrorText": "Download failed.", - "uploadImageSizeMessage": "Maximium image size limit exceeded.", - "uploadImageExtMessage": "Unknown image format.", - "uploadImageFileCountMessage": "No images uploaded.", - "splitMaxRowsErrorText": "The number of rows must be less than %1", - "splitMaxColsErrorText": "The number of columns must be less than %1", - "splitDividerErrorText": "The number of rows must be a divisor of %1", - "errorKeyEncrypt": "Unknown key descriptor", - "errorKeyExpire": "Key descriptor expired", - "errorUsersExceed": "Count of users was exceed", - "errorViewerDisconnect": "Connection is lost. You can still view the document,
but will not be able to download until the connection is restored and page is reloaded.", - "errorFilePassProtect": "The file is password protected and could not be opened.", - "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.", - "errorDataRange": "Incorrect data range.", - "errorDatabaseConnection": "External error.
Database connection error. Please, contact support.", - "errorUserDrop": "The file cannot be accessed right now.", - "errorConnectToServer": " The document could not be saved. Please check connection settings or contact your administrator.
When you click the 'OK' button, you will be prompted to download the document.", - "errorBadImageUrl": "Image url is incorrect", - "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.", - "errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
Please contact your Document Server administrator.", - "errorEditingDownloadas": "An error occurred during the work with the document.
Use the 'Download' option to save the file backup copy to your computer hard drive.", - "errorFileSizeExceed": "The file size exceeds the limitation set for your server.
Please contact your Document Server administrator for details.", - "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.", - "errorDefaultMessage": "Error code: %1", - "criticalErrorExtText": "Press 'OK' to back to document list.", - "notcriticalErrorTitle": "Warning", - "scriptLoadError": "The connection is too slow, some of the components could not be loaded. Please reload the page." - }, - "LongActions": { - "openTitleText": "Opening Document", - "openTextText": "Opening document...", - "saveTitleText": "Saving Document", - "saveTextText": "Saving document...", - "loadFontsTitleText": "Loading Data", - "loadFontsTextText": "Loading data...", - "loadImagesTitleText": "Loading Images", - "loadImagesTextText": "Loading images...", - "loadFontTitleText": "Loading Data", - "loadFontTextText": "Loading data...", - "loadImageTitleText": "Loading Image", - "loadImageTextText": "Loading image...", - "downloadTitleText": "Downloading Document", - "downloadTextText": "Downloading document...", - "printTitleText": "Printing Document", - "printTextText": "Printing document...", - "uploadImageTitleText": "Uploading Image", - "uploadImageTextText": "Uploading image...", - "applyChangesTitleText": "Loading Data", - "applyChangesTextText": "Loading data...", - "savePreparingText": "Preparing to save", - "savePreparingTitle": "Preparing to save. Please wait...", - "waitText": "Please, wait...", - "txtEditingMode": "Set editing mode...", - "loadingDocumentTitleText": "Loading document", - "loadingDocumentTextText": "Loading document...", - "textLoadingDocument": "Loading document", - "loadThemeTitleText": "Loading Theme", - "loadThemeTextText": "Loading theme..." - }, "ContextMenu": { - "menuViewComment": "View Comment", + "errorCopyCutPaste": "Copy, cut and paste actions using the context menu will be performed within the current file only.", "menuAddComment": "Add Comment", - "menuMerge": "Merge", - "menuSplit": "Split", + "menuAddLink": "Add Link", + "menuCancel": "Cancel", "menuDelete": "Delete", "menuDeleteTable": "Delete Table", "menuEdit": "Edit", - "menuAddLink": "Add Link", - "menuOpenLink": "Open Link", + "menuMerge": "Merge", "menuMore": "More", - "menuCancel": "Cancel", - "textCopyCutPasteActions": "Copy, Cut and Paste Actions", - "errorCopyCutPaste": "Copy, cut and paste actions using the context menu will be performed within the current file only.", - "textDoNotShowAgain": "Don't show again", + "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", + "ClipArt": "Clip Art", + "Date and time": "Date and time", + "Diagram": "Diagram", + "Diagram Title": "Chart Title", + "Footer": "Footer", + "Header": "Header", + "Image": "Image", + "Media": "Media", + "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." + } + }, + "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." + }, + "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", - "dlgLeaveMsgText": "You have unsaved changes in this document. Click 'Stay on this Page' to await the autosave of the document. Click 'Leave this Page' to discard all the unsaved changes.", - "leaveButtonText": "Leave this Page", + "leaveButtonText": "Leave this page", "stayButtonText": "Stay on this Page" }, "View": { - "Settings": { - "textDone": "Done", - "textSettings": "Settings", - "textFindAndReplace": "Find and Replace", - "textFindAndReplaceAll": "Find and Replace All", - "textPresentationSettings": "Presentation Settings", - "textApplicationSettings": "Application Settings", - "textDownload": "Download", - "textDownloadAs": "Download As...", - "textPrint": "Print", - "textPresentationInfo": "Presentation Info", - "textHelp": "Help", - "textAbout": "About", - "textBack": "Back", - "textUnitOfMeasurement": "Unit Of Measurement", - "textCentimeter": "Centimeter", - "textPoint": "Point", - "textInch": "Inch", - "textSpellcheck": "Spell Checking", - "textMacrosSettings": "Macros Settings", - "textDisableAll": "Disable All", - "textDisableAllMacrosWithoutNotification": "Disable all macros without notification", - "textShowNotification": "Show Notification", - "textDisableAllMacrosWithNotification": "Disable all macros with notification", - "textEnableAll": "Enable All", - "textEnableAllMacrosWithoutNotification": "Enable all macros without notification", - "textLocation": "Location", - "textTitle": "Title", - "textSubject": "Subject", - "textComment": "Comment", - "textCreated": "Created", - "textLastModifiedBy": "Last Modified By", - "textLastModified": "Last Modified", - "textApplication": "Application", - "textLoading": "Loading...", - "textAuthor": "Author", - "textPresentationTitle": "Presentation Title", - "textOwner": "Owner", - "textUploaded": "Uploaded", - "textSlideSize": "Slide Size", - "mniSlideStandard": "Standard (4:3)", - "mniSlideWide": "Widescreen (16:9)", - "textColorSchemes": "Color Schemes", - "textVersion": "Version", - "textAddress": "address:", - "textEmail": "email:", - "textTel": "tel:", - "textPoweredBy": "Powered By", - "textReplaceAll": "Replace All", - "textFind": "Find", - "textSearch": "Search", - "textCaseSensitive": "Case Sensitive", - "textHighlight": "Highlight Results", - "textReplace": "Replace", - "textNoTextFound": "Text not Found", - "textCollaboration": "Collaboration", - "txtScheme1": "Office", - "txtScheme2": "Grayscale", - "txtScheme3": "Apex", - "txtScheme4": "Aspect", - "txtScheme5": "Civic", - "txtScheme6": "Concourse", - "txtScheme7": "Equity", - "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "txtScheme10": "Median", - "txtScheme11": "Metro", - "txtScheme12": "Module", - "txtScheme13": "Opulent", - "txtScheme14": "Oriel", - "txtScheme15": "Origin", - "txtScheme16": "Paper", - "txtScheme17": "Solstice", - "txtScheme18": "Technic", - "txtScheme19": "Trek", - "txtScheme22": "New Office" - }, "Add": { - "textSlide": "Slide", - "textShape": "Shape", + "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", - "textLinkSettings": "Link Settings", - "textBack": "Back", - "textEmptyImgUrl": "You need to specify image URL.", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "notcriticalErrorTitle": "Warning", - "textAddress": "Address", - "textImageURL": "Image URL", - "textInsertImage": "Insert Image", - "textTable": "Table", - "textComment": "Comment", - "textTableSize": "Table Size", - "textColumns": "Columns", - "textRows": "Rows", - "textCancel": "Cancel", - "textAddLink": "Add Link", - "textLink": "Link", - "textLinkType": "Link Type", - "textExternalLink": "External Link", - "textSlideInThisPresentation": "Slide in this Presentation", - "textLinkTo": "Link to", - "textNextSlide": "Next Slide", "textPreviousSlide": "Previous Slide", - "textFirstSlide": "First Slide", - "textLastSlide": "Last Slide", - "textSlideNumber": "Slide Number", - "textDisplay": "Display", - "textDefault": "Selected text", + "textRows": "Rows", "textScreenTip": "Screen Tip", - "textInsert": "Insert" + "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\"" }, "Edit": { - "textText": "Text", - "textSlide": "Slide", - "textTable": "Table", - "textShape": "Shape", - "textImage": "Image", - "textChart": "Chart", - "textHyperlink": "Hyperlink", - "textTheme": "Theme", - "textStyle": "Style", - "textLayout": "Layout", - "textTransition": "Transition", - "textBack": "Back", - "textEffect": "Effect", - "textType": "Type", - "textDuration": "Duration", - "textStartOnClick": "Start On Click", - "textDelay": "Delay", - "textApplyAll": "Apply to All Slides", - "textNone": "None", - "textFade": "Fade", - "textPush": "Push", - "textWipe": "Wipe", - "textSplit": "Split", - "textUnCover": "UnCover", - "textCover": "Cover", - "textClock": "Clock", - "textZoom": "Zoom", - "textSmoothly": "Smoothly", - "textBlack": "Through Black", - "textLeft": "Left", - "textTop": "Top", - "textRight": "Right", - "textBottom": "Bottom", - "textTopLeft": "Top-Left", - "textTopRight": "Top-Right", - "textBottomLeft": "Bottom-Left", - "textBottomRight": "Bottom-Right", - "textVerticalIn": "Vertical In", - "textVerticalOut": "Vertical Out", - "textHorizontalIn": "Horizontal In", - "textHorizontalOut": "Horizontal Out", - "textClockwise": "Clockwise", - "textCounterclockwise": "Counterclockwise", - "textWedge": "Wedge", - "textZoomIn": "Zoom In", - "textZoomOut": "Zoom Out", - "textZoomRotate": "Zoom and Rotate", - "textSec": "s", + "notcriticalErrorTitle": "Warning", + "textActualSize": "Actual Size", "textAddCustomColor": "Add Custom Color", - "textFill": "Fill", - "textBorder": "Border", - "textEffects": "Effects", - "textCustomColor": "Custom Color", - "textDuplicateSlide": "Duplicate Slide", - "textDeleteSlide": "Delete Slide", - "textFontColor": "Font Color", - "textHighlightColor": "Highlight Color", - "textAdditionalFormatting": "Additional Formatting", "textAdditional": "Additional", - "textBullets": "Bullets", - "textNumbers": "Numbers", - "textLineSpacing": "Line Spacing", - "textFonts": "Fonts", - "textAuto": "Auto", - "textPt": "pt", - "textSize": "Size", - "textStrikethrough": "Strikethrough", - "textDoubleStrikethrough": "Double Strikethrough", - "textSuperscript": "Superscript", - "textSubscript": "Subscript", - "textSmallCaps": "Small Caps", - "textAllCaps": "All Caps", - "textLetterSpacing": "Letter Spacing", - "textDistanceFromText": "Distance From Text", - "textBefore": "Before", + "textAdditionalFormatting": "Additional Formatting", + "textAddress": "Address", "textAfter": "After", - "textFontColors": "Font Colors", - "textReplace": "Replace", - "textReorder": "Reorder", "textAlign": "Align", - "textRemoveShape": "Remove Shape", - "textColor": "Color", - "textOpacity": "Opacity", - "textBringToForeground": "Bring to Foreground", - "textSendToBackground": "Send to Background", - "textMoveForward": "Move Forward", - "textMoveBackward": "Move Backward", - "textAlignLeft": "Align Left", + "textAlignBottom": "Align Bottom", "textAlignCenter": "Align Center", + "textAlignLeft": "Align Left", + "textAlignMiddle": "Align Middle", "textAlignRight": "Align Right", "textAlignTop": "Align Top", - "textAlignMiddle": "Align Middle", - "textAlignBottom": "Align Bottom", + "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", + "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", - "textFromLibrary": "Picture from Library", - "textFromURL": "Picture from URL", - "textLinkSettings": "Link Settings", - "textAddress": "Address", - "textImageURL": "Image URL", - "textReplaceImage": "Replace Image", - "textActualSize": "Actual Size", - "textRemoveImage": "Remove Image", - "textEmptyImgUrl": "You need to specify image URL.", - "textNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "notcriticalErrorTitle": "Warning", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", - "textOptions": "Options", - "textHeaderRow": "Header Row", - "textTotalRow": "Total Row", - "textBandedRow": "Banded Row", - "textFirstColumn": "First Column", - "textLastColumn": "Last Column", - "textBandedColumn": "Banded Column", - "textStyleOptions": "Style Options", - "textRemoveTable": "Remove Table", - "textCellMargins": "Cell Margins", - "textRemoveChart": "Remove Chart", - "textNoStyles": "No styles for this type of charts.", - "textLinkType": "Link Type", - "textExternalLink": "External Link", - "textSlideInThisPresentation": "Slide in this Presentation", - "textLink": "Link", - "textLinkTo": "Link to", - "textNextSlide": "Next Slide", - "textPreviousSlide": "Previous Slide", - "textFirstSlide": "First Slide", - "textLastSlide": "Last Slide", - "textSlideNumber": "Slide Number", + "textDone": "Done", + "textDoubleStrikethrough": "Double Strikethrough", + "textDuplicateSlide": "Duplicate Slide", + "textDuration": "Duration", "textEditLink": "Edit Link", - "textRemoveLink": "Remove Link", - "textDisplay": "Display", - "textScreenTip": "Screen Tip", - "textDefault": "Selected text", - "textReplaceAll": "Replace All", + "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", - "textDone": "Done", - "textSearch": "Search", - "textCaseSensitive": "Case Sensitive", + "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", - "textNoTextFound": "Text not Found", + "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\"", + "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", - "textFinalMessage": "The end of slide preview. Click to exit." - } - }, - "Common": { - "ThemeColorPalette": { - "textThemeColors": "Theme Colors", - "textStandartColors": "Standard Colors", - "textCustomColors": "Custom Colors" + "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" }, - "Collaboration": { - "textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", - "notcriticalErrorTitle": "Warning", - "textCollaboration": "Collaboration", + "Settings": { + "mniSlideStandard": "Standard (4:3)", + "mniSlideWide": "Widescreen (16:9)", + "textAbout": "About", + "textAddress": "address:", + "textApplication": "Application", + "textApplicationSettings": "Application Settings", + "textAuthor": "Author", "textBack": "Back", - "textUsers": "Users", - "textEditUser": "Users who are editing the file:", - "textComments": "Comments", - "textAddComment": "Add Comment", - "textCancel": "Cancel", + "textCaseSensitive": "Case Sensitive", + "textCentimeter": "Centimeter", + "textCollaboration": "Collaboration", + "textColorSchemes": "Color Schemes", + "textComment": "Comment", + "textCreated": "Created", + "textDisableAll": "Disable All", + "textDisableAllMacrosWithNotification": "Disable all macros with notification", + "textDisableAllMacrosWithoutNotification": "Disable all macros without notification", "textDone": "Done", - "textNoComments": "This document doesn't contain comments", - "textEdit": "Edit", - "textResolve": "Resolve", - "textReopen": "Reopen", - "textAddReply": "Add Reply", - "textDeleteComment": "Delete Comment", - "textMessageDeleteComment": "Do you really want to delete this comment?", - "textMessageDeleteReply": "Do you really want to delete this reply?", - "textDeleteReply": "Delete Reply", - "textEditComment": "Edit Comment", - "textEditReply": "Edit Reply" + "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" } - }, - "About": { - "textAbout": "About", - "textVersion": "Version", - "textEmail": "Email", - "textAddress": "Address", - "textTel": "Tel", - "textPoweredBy": "Powered By", - "textBack": "Back" } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/es.json b/apps/presentationeditor/mobile/locale/es.json index 0e0dcd235..9b0e4b9e7 100644 --- a/apps/presentationeditor/mobile/locale/es.json +++ b/apps/presentationeditor/mobile/locale/es.json @@ -1,3 +1,437 @@ { - + "About": { + "textAbout": "Acerca de", + "textAddress": "Dirección", + "textBack": "Atrás", + "textEmail": "E-mail", + "textPoweredBy": "Con tecnología de", + "textTel": "Tel", + "textVersion": "Versión " + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Advertencia", + "textAddComment": "Añadir comentario", + "textAddReply": "Añadir respuesta", + "textBack": "Atrás", + "textCancel": "Cancelar", + "textCollaboration": "Colaboración", + "textComments": "Comentarios", + "textDeleteComment": "Eliminar comentario", + "textDeleteReply": "Eliminar respuesta", + "textDone": "Listo", + "textEdit": "Editar", + "textEditComment": "Editar comentario", + "textEditReply": "Editar respuesta", + "textEditUser": "Usuarios que están editando el archivo:", + "textMessageDeleteComment": "¿Realmente quiere eliminar este comentario?", + "textMessageDeleteReply": "¿Realmente quiere eliminar esta respuesta?", + "textNoComments": "Este documento no contiene comentarios", + "textReopen": "Volver a abrir", + "textResolve": "Resolver", + "textTryUndoRedo": "Las funciones Deshacer/Rehacer están desactivadas en el modo de co-edición rápido.", + "textUsers": "Usuarios" + }, + "ThemeColorPalette": { + "textCustomColors": "Colores personalizados", + "textStandartColors": "Colores estándar", + "textThemeColors": "Colores de tema" + } + }, + "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 ", + "menuCancel": "Cancelar", + "menuDelete": "Eliminar", + "menuDeleteTable": "Eliminar tabla", + "menuEdit": "Editar", + "menuMerge": "Combinar", + "menuMore": "Más", + "menuOpenLink": "Abrir enlace", + "menuSplit": "Dividir", + "menuViewComment": "Ver comentario", + "textColumns": "Columnas", + "textCopyCutPasteActions": "Acciones de Copiar, Cortar y Pegar", + "textDoNotShowAgain": "No mostrar de nuevo", + "textRows": "Filas" + }, + "Controller": { + "Main": { + "advDRMOptions": "Archivo protegido", + "advDRMPassword": "Contraseña", + "closeButtonText": "Cerrar archivo", + "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.", + "leavePageText": "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.", + "notcriticalErrorTitle": "Advertencia", + "SDK": { + "Chart": "Gráfico", + "ClipArt": "Imagen prediseñada", + "Date and time": "Fecha y hora", + "Diagram": "Diagrama", + "Diagram Title": "Título del gráfico", + "Footer": "Pie de página", + "Header": "Encabezado", + "Image": "Imagen", + "Media": "Medios", + "Picture": "Imagen", + "Series": "Serie", + "Slide number": "Número de diapositiva", + "Slide subtitle": "Subtítulo de diapositiva", + "Slide text": "Texto de diapositiva", + "Slide title": "Título de diapositiva", + "Table": "Tabla", + "X Axis": "Eje X XAS", + "Y Axis": "Eje Y", + "Your text here": "Su texto aquí" + }, + "textAnonymous": "Anónimo", + "textBuyNow": "Visitar sitio web", + "textClose": "Cerrar", + "textContactUs": "Contactar con el equipo de ventas", + "textCustomLoader": "Por desgracia, no tiene derecho a cambiar el cargador. Por favor, póngase en contacto con nuestro departamento de ventas para obtener una cotización.", + "textGuest": "Invitado", + "textHasMacros": "El archivo contiene macros automáticas.
¿Quiere ejecutar macros?", + "textNo": "No", + "textNoLicenseTitle": "Se ha alcanzado el límite de licencia", + "textOpenFile": "Introduzca la contraseña para abrir el archivo", + "textPaidFeature": "Característica de pago", + "textRemember": "Recordar mi elección", + "textYes": "Sí", + "titleLicenseExp": "Licencia ha expirado", + "titleServerVersion": "Editor ha sido actualizado", + "titleUpdateVersion": "Versión ha cambiado", + "txtIncorrectPwd": "La contraseña es incorrecta", + "txtProtected": "Una vez que se ha introducido la contraseña y abierto el archivo, la contraseña actual del archivo se restablecerá", + "warnLicenseExceeded": "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 su administrador para obtener más información.", + "warnLicenseExp": "Su licencia ha expirado. Por favor, actualícela y recargue la página.", + "warnLicenseLimitedNoAccess": "La licencia ha expirado. No tiene acceso a la funcionalidad de edición de documentos. Por favor, póngase en contacto con su administrador.", + "warnLicenseLimitedRenewed": "La licencia necesita renovación. Tiene acceso limitado a la funcionalidad de edición de documentos.
Por favor, póngase en contacto con su administrador para obtener acceso completo", + "warnLicenseUsersExceeded": "Usted ha alcanzado el límite de usuarios para los editores de %1. Por favor, contacte con su administrador para recibir más información.", + "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." + } + }, + "Error": { + "convertationTimeoutText": "Tiempo de conversión está superado.", + "criticalErrorExtText": "Pulse \"OK\" para volver a la lista de documentos.", + "criticalErrorTitle": "Error", + "downloadErrorText": "Error al descargar.", + "errorAccessDeny": "Está intentando realizar una acción para la que no tiene derechos.
Póngase en contacto con su administrador.", + "errorBadImageUrl": "URL de imagen es incorrecta", + "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.", + "errorDatabaseConnection": "Error externo.
Error de conexión a la base de datos. Por favor, contacte con el equipo de soporte técnico.", + "errorDataEncrypted": "Se han recibido cambios cifrados, ellos no pueden ser descifrados.", + "errorDataRange": "Rango de datos incorrecto.", + "errorDefaultMessage": "Código de error: %1", + "errorEditingDownloadas": "Se ha producido un error al trabajar con el documento.
Utilice la opción 'Descargar' para guardar la copia de seguridad del archivo localmente.", + "errorFilePassProtect": "El archivo está protegido por contraseña y no se puede abrir.", + "errorFileSizeExceed": "El tamaño del archivo excede la limitación del servidor.
Por favor, póngase en contacto con su administrador.", + "errorKeyEncrypt": "Descriptor de clave desconocido", + "errorKeyExpire": "Descriptor de clave ha expirado", + "errorSessionAbsolute": "La sesión de edición del documento ha expirado. Por favor, vuelva a cargar la página.", + "errorSessionIdle": "El documento no ha sido editado desde hace mucho tiempo. Por favor, vuelva a cargar la página.", + "errorSessionToken": "La conexión con el servidor se ha interrumpido. Por favor, vuelva a cargar la página.", + "errorStockChart": "Orden incorrecto de las filas. Para construir un gráfico de cotizaciones, coloque los datos en la hoja en el siguiente orden:
precio de apertura, precio máximo, precio mínimo, precio de cierre.", + "errorUpdateVersionOnDisconnect": "La conexión a Internet se ha restaurado y la versión del archivo ha cambiado.
Antes de continuar trabajando, necesita descargar el archivo o copiar su contenido para asegurarse de que no ha perdido nada y luego recargar esta página.", + "errorUserDrop": "No se puede acceder al archivo ahora mismo.", + "errorUsersExceed": "Se superó la cantidad de usuarios permitidos por el plan de precios", + "errorViewerDisconnect": "Se ha perdido la conexión. Todavía puede ver el documento,
pero no podrá descargarlo hasta que se restablezca la conexión y se recargue la página.", + "notcriticalErrorTitle": "Advertencia", + "openErrorText": "Se ha producido un error al abrir el archivo ", + "saveErrorText": "Se ha producido un error al guardar el archivo ", + "scriptLoadError": "La conexión es demasiado lenta, algunos de los componentes no se han podido cargar. Por favor, vuelva a cargar la página.", + "splitDividerErrorText": "El número de filas debe ser un divisor de %1", + "splitMaxColsErrorText": "El número de columnas debe ser menor que %1", + "splitMaxRowsErrorText": "El número de filas debe ser menor que %1", + "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." + }, + "LongActions": { + "applyChangesTextText": "Cargando datos...", + "applyChangesTitleText": "Cargando datos", + "downloadTextText": "Descargando documento...", + "downloadTitleText": "Descargando documento", + "loadFontsTextText": "Cargando datos...", + "loadFontsTitleText": "Cargando datos", + "loadFontTextText": "Cargando datos...", + "loadFontTitleText": "Cargando datos", + "loadImagesTextText": "Cargando imágenes...", + "loadImagesTitleText": "Cargando imágenes", + "loadImageTextText": "Cargando imagen...", + "loadImageTitleText": "Cargando imagen", + "loadingDocumentTextText": "Cargando documento...", + "loadingDocumentTitleText": "Cargando documento", + "loadThemeTextText": "Cargando tema...", + "loadThemeTitleText": "Cargando tema", + "openTextText": "Abriendo documento...", + "openTitleText": "Abriendo documento", + "printTextText": "Imprimiendo documento...", + "printTitleText": "Imprimiendo documento", + "savePreparingText": "Preparando para guardar", + "savePreparingTitle": "Preparando para guardar. Espere, por favor...", + "saveTextText": "Guardando documento...", + "saveTitleText": "Guardando documento", + "textLoadingDocument": "Cargando documento", + "txtEditingMode": "Establecer el modo de edición...", + "uploadImageTextText": "Cargando imagen...", + "uploadImageTitleText": "Cargando imagen", + "waitText": "Por favor, espere..." + }, + "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.", + "dlgLeaveTitleText": "Usted abandona la aplicación", + "leaveButtonText": "Salir de esta página", + "stayButtonText": "Quedarse en esta página" + }, + "View": { + "Add": { + "notcriticalErrorTitle": "Advertencia", + "textAddLink": "Añadir enlace ", + "textAddress": "Dirección", + "textBack": "Atrás", + "textCancel": "Cancelar", + "textColumns": "Columnas", + "textComment": "Comentario", + "textDefault": "Texto seleccionado", + "textDisplay": "Mostrar", + "textEmptyImgUrl": "Necesita especificar la URL de la imagen.", + "textExternalLink": "Enlace externo", + "textFirstSlide": "Primera diapositiva", + "textImage": "Imagen", + "textImageURL": "URL de imagen", + "textInsert": "Insertar", + "textInsertImage": "Insertar imagen", + "textLastSlide": "Última diapositiva", + "textLink": "Enlace", + "textLinkSettings": "Ajustes de enlace", + "textLinkTo": "Enlace a", + "textLinkType": "Tipo de enlace", + "textNextSlide": "Diapositiva siguiente", + "textOther": "Otro", + "textPictureFromLibrary": "Imagen desde biblioteca", + "textPictureFromURL": "Imagen desde URL", + "textPreviousSlide": "Diapositiva anterior", + "textRows": "Filas", + "textScreenTip": "Consejo de pantalla", + "textShape": "Forma", + "textSlide": "Diapositiva", + "textSlideInThisPresentation": "Diapositiva en esta presentación", + "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\"" + }, + "Edit": { + "notcriticalErrorTitle": "Advertencia", + "textActualSize": "Tamaño actual", + "textAddCustomColor": "Añadir color personalizado", + "textAdditional": "Adicional", + "textAdditionalFormatting": "Formateo adicional", + "textAddress": "Dirección", + "textAfter": "Después", + "textAlign": "Alinear", + "textAlignBottom": "Alinear abajo", + "textAlignCenter": "Alinear al centro", + "textAlignLeft": "Alinear a la izquierda", + "textAlignMiddle": "Alinear al medio", + "textAlignRight": "Alinear a la derecha", + "textAlignTop": "Alinear arriba", + "textAllCaps": "Mayúsculas", + "textApplyAll": "Aplicar a todas las diapositivas", + "textAuto": "Auto", + "textBack": "Atrás", + "textBandedColumn": "Columna con bandas", + "textBandedRow": "Fila con bandas", + "textBefore": "Antes", + "textBlack": "En negro", + "textBorder": "Borde", + "textBottom": "Abajo ", + "textBottomLeft": "Abajo a la izquierda", + "textBottomRight": "Abajo a la derecha", + "textBringToForeground": "Traer al primer plano", + "textBulletsAndNumbers": "Viñetas y números", + "textCaseSensitive": "Distinguir mayúsculas de minúsculas", + "textCellMargins": "Márgenes de celdas", + "textChart": "Gráfico", + "textClock": "Reloj", + "textClockwise": "En el sentido de las agujas del reloj", + "textColor": "Color", + "textCounterclockwise": "En el sentido contrario a las agujas del reloj", + "textCover": "Cubrir", + "textCustomColor": "Color personalizado", + "textDefault": "Texto seleccionado", + "textDelay": "Retraso", + "textDeleteSlide": "Eliminar diapositiva", + "textDisplay": "Mostrar", + "textDistanceFromText": "Distancia desde el texto", + "textDistributeHorizontally": "Distribuir horizontalmente", + "textDistributeVertically": "Distribuir verticalmente", + "textDone": "Listo", + "textDoubleStrikethrough": "Doble tachado", + "textDuplicateSlide": "Duplicar diapositiva", + "textDuration": "Duración ", + "textEditLink": "Editar enlace", + "textEffect": "Efecto", + "textEffects": "Efectos", + "textEmptyImgUrl": "Necesita especificar la URL de la imagen.", + "textExternalLink": "Enlace externo", + "textFade": "Atenuación", + "textFill": "Rellenar", + "textFinalMessage": "Fin de vista previa de diapositiva. Pulse para salir.", + "textFind": "Buscar", + "textFindAndReplace": "Buscar y reemplazar", + "textFirstColumn": "Primera columna", + "textFirstSlide": "Primera diapositiva", + "textFontColor": "Color de fuente", + "textFontColors": "Colores de fuente", + "textFonts": "Fuentes", + "textFromLibrary": "Imagen desde biblioteca", + "textFromURL": "Imagen desde URL", + "textHeaderRow": "Fila de encabezado", + "textHighlight": "Resaltar resultados", + "textHighlightColor": "Color de resaltado", + "textHorizontalIn": "Horizontal entrante", + "textHorizontalOut": "Horizontal saliente", + "textHyperlink": "Hiperenlace", + "textImage": "Imagen", + "textImageURL": "URL de imagen", + "textLastColumn": "Última columna", + "textLastSlide": "Última diapositiva", + "textLayout": "Diseño", + "textLeft": "A la izquierda", + "textLetterSpacing": "Espaciado entre letras", + "textLineSpacing": "Espaciado de línea", + "textLink": "Enlace", + "textLinkSettings": "Ajustes de enlace", + "textLinkTo": "Enlace a", + "textLinkType": "Tipo de enlace", + "textMoveBackward": "Mover hacia atrás", + "textMoveForward": "Moverse hacia adelante", + "textNextSlide": "Diapositiva siguiente", + "textNone": "Ninguno", + "textNoStyles": "No hay estilos para este tipo de gráfico.", + "textNoTextFound": "Texto no encontrado", + "textNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"", + "textOpacity": "Opacidad ", + "textOptions": "Opciones", + "textPictureFromLibrary": "Imagen desde biblioteca", + "textPictureFromURL": "Imagen desde URL", + "textPreviousSlide": "Diapositiva anterior", + "textPt": "pt", + "textPush": "Empuje", + "textRemoveChart": "Eliminar gráfico", + "textRemoveImage": "Eliminar imagen", + "textRemoveLink": "Eliminar enlace", + "textRemoveShape": "Eliminar forma", + "textRemoveTable": "Eliminar tabla", + "textReorder": "Reordenar", + "textReplace": "Reemplazar", + "textReplaceAll": "Reemplazar todo", + "textReplaceImage": "Reemplazar imagen", + "textRight": "A la derecha", + "textScreenTip": "Consejo de pantalla", + "textSearch": "Buscar", + "textSec": "s", + "textSelectObjectToEdit": "Seleccionar el objeto para editar", + "textSendToBackground": "Enviar al fondo", + "textShape": "Forma", + "textSize": "Tamaño", + "textSlide": "Diapositiva", + "textSlideInThisPresentation": "Diapositiva en esta presentación", + "textSlideNumber": "Número de diapositiva", + "textSmallCaps": "Versalitas", + "textSmoothly": "Suavemente", + "textSplit": "Dividir", + "textStartOnClick": "Iniciar al hacer clic", + "textStrikethrough": "Tachado", + "textStyle": "Estilo", + "textStyleOptions": "Opciones de estilo", + "textSubscript": "Subíndice", + "textSuperscript": "Superíndice", + "textTable": "Tabla", + "textText": "Texto", + "textTheme": "Tema", + "textTop": "Arriba", + "textTopLeft": "Arriba a la izquierda", + "textTopRight": "Arriba a la derecha", + "textTotalRow": "Fila de totales", + "textTransition": "Transición", + "textType": "Tipo", + "textUnCover": "Revelar", + "textVerticalIn": "Vertical entrante", + "textVerticalOut": "Vertical saliente", + "textWedge": "Cuña", + "textWipe": "Barrer", + "textZoom": "Zoom", + "textZoomIn": "Acercar", + "textZoomOut": "Alejar", + "textZoomRotate": "Zoom y giro" + }, + "Settings": { + "mniSlideStandard": "Estándar (4:3)", + "mniSlideWide": "Panorámico (16:9)", + "textAbout": "Acerca de", + "textAddress": "dirección: ", + "textApplication": "Aplicación", + "textApplicationSettings": "Ajustes de aplicación", + "textAuthor": "Autor", + "textBack": "Atrás", + "textCaseSensitive": "Distinguir mayúsculas de minúsculas", + "textCentimeter": "Centímetro", + "textCollaboration": "Colaboración", + "textColorSchemes": "Esquemas de color", + "textComment": "Comentario", + "textCreated": "Creado", + "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: ", + "textEnableAll": "Habilitar todo", + "textEnableAllMacrosWithoutNotification": "Habilitar todas las macros sin notificación", + "textFind": "Buscar", + "textFindAndReplace": "Buscar y reemplazar", + "textFindAndReplaceAll": "Buscar y reemplazar todo", + "textHelp": "Ayuda", + "textHighlight": "Resaltar resultados", + "textInch": "Pulgada", + "textLastModified": "Última modificación", + "textLastModifiedBy": "Última modificación por", + "textLoading": "Cargando...", + "textLocation": "Ubicación", + "textMacrosSettings": "Ajustes de macros", + "textNoTextFound": "Texto no encontrado", + "textOwner": "Propietario", + "textPoint": "Punto", + "textPoweredBy": "Con tecnología de", + "textPresentationInfo": "Información de la presentación", + "textPresentationSettings": "Ajustes de presentación", + "textPresentationTitle": "Título de presentación", + "textPrint": "Imprimir", + "textReplace": "Reemplazar", + "textReplaceAll": "Reemplazar todo", + "textSearch": "Buscar", + "textSettings": "Ajustes", + "textShowNotification": "Mostrar notificación", + "textSlideSize": "Tamaño de diapositiva", + "textSpellcheck": "Сorrección ortográfica", + "textSubject": "Asunto", + "textTel": "tel:", + "textTitle": "Título", + "textUnitOfMeasurement": "Unidad de medida", + "textUploaded": "Cargado", + "textVersion": "Versión " + } + } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/fr.json b/apps/presentationeditor/mobile/locale/fr.json index 0e0dcd235..1ccd7832b 100644 --- a/apps/presentationeditor/mobile/locale/fr.json +++ b/apps/presentationeditor/mobile/locale/fr.json @@ -1,3 +1,72 @@ { - + "About": { + "textAbout": "À propos de", + "textAddress": "Adresse", + "textBack": "Retour" + }, + "Common": { + "Collaboration": { + "textAddComment": "Ajouter un commentaire", + "textAddReply": "Ajouter une réponse", + "textBack": "Retour", + "textCancel": "Annuler" + } + }, + "ContextMenu": { + "menuAddComment": "Ajouter un commentaire", + "menuAddLink": "Ajouter un lien", + "menuCancel": "Annuler" + }, + "Controller": { + "Main": { + "textAnonymous": "Anonyme" + } + }, + "Error": { + "errorEditingDownloadas": "Une erreur s'est produite pendant le travail sur le document. Utilisez l'option \"Télécharger\" pour enregistrer une sauvegarde locale", + "openErrorText": "Une erreur s’est produite lors de l'ouverture du fichier", + "saveErrorText": "Une erreur s'est produite lors du chargement du fichier" + }, + "View": { + "Add": { + "textAddLink": "Ajouter un lien", + "textAddress": "Adresse", + "textBack": "Retour", + "textCancel": "Annuler" + }, + "Edit": { + "textAddCustomColor": "Ajouter une couleur personnalisée", + "textAdditional": "Additionnel", + "textAdditionalFormatting": "Mise en forme supplémentaire", + "textAddress": "Adresse", + "textAfter": "après", + "textAlign": "Aligner", + "textAlignBottom": "Aligner en bas", + "textAlignCenter": "Aligner au centre", + "textAlignLeft": "Aligner à gauche", + "textAlignMiddle": "Aligner au centre", + "textAlignRight": "Aligner à droite", + "textAlignTop": "Aligner en haut", + "textAllCaps": "Tout en majuscules", + "textApplyAll": "Appliquer à toutes les diapositives", + "textAuto": "Auto", + "textBack": "Retour", + "textBandedColumn": "Colonne à couleur alternée", + "textBandedRow": "Ligne à couleur alternée", + "textBefore": "Avant", + "textBorder": "Bordure", + "textBottom": "Bas", + "textBottomLeft": "En bas à gauche", + "textBottomRight": "En bas à droite", + "textBringToForeground": "Mettre au premier plan" + }, + "Settings": { + "textAbout": "À propos de", + "textAddress": "Adresse :", + "textApplication": "Application", + "textApplicationSettings": "Paramètres de l'application", + "textAuthor": "Auteur", + "textBack": "Retour" + } + } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/ru.json b/apps/presentationeditor/mobile/locale/ru.json index 0e0dcd235..58a3e3732 100644 --- a/apps/presentationeditor/mobile/locale/ru.json +++ b/apps/presentationeditor/mobile/locale/ru.json @@ -1,3 +1,437 @@ { - + "About": { + "textAbout": "О программе", + "textAddress": "Адрес", + "textBack": "Назад", + "textEmail": "Еmail", + "textPoweredBy": "Разработано", + "textTel": "Телефон", + "textVersion": "Версия" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Внимание", + "textAddComment": "Добавить комментарий", + "textAddReply": "Добавить ответ", + "textBack": "Назад", + "textCancel": "Отмена", + "textCollaboration": "Совместная работа", + "textComments": "Комментарии", + "textDeleteComment": "Удалить комментарий", + "textDeleteReply": "Удалить ответ", + "textDone": "Готово", + "textEdit": "Редактировать", + "textEditComment": "Редактировать комментарий", + "textEditReply": "Редактировать ответ", + "textEditUser": "Пользователи, редактирующие документ:", + "textMessageDeleteComment": "Вы действительно хотите удалить этот комментарий?", + "textMessageDeleteReply": "Вы действительно хотите удалить этот ответ?", + "textNoComments": "Этот документ не содержит комментариев", + "textReopen": "Переоткрыть", + "textResolve": "Решить", + "textTryUndoRedo": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.", + "textUsers": "Пользователи" + }, + "ThemeColorPalette": { + "textCustomColors": "Пользовательские цвета", + "textStandartColors": "Стандартные цвета", + "textThemeColors": "Цвета темы" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "Операции копирования, вырезания и вставки с помощью контекстного меню будут выполняться только в текущем файле.", + "menuAddComment": "Добавить комментарий", + "menuAddLink": "Добавить ссылку", + "menuCancel": "Отмена", + "menuDelete": "Удалить", + "menuDeleteTable": "Удалить таблицу", + "menuEdit": "Редактировать", + "menuMerge": "Объединить", + "menuMore": "Ещё", + "menuOpenLink": "Перейти по ссылке", + "menuSplit": "Разделить", + "menuViewComment": "Просмотреть комментарий", + "textColumns": "Столбцы", + "textCopyCutPasteActions": "Операции копирования, вырезания и вставки", + "textDoNotShowAgain": "Больше не показывать", + "textRows": "Строки" + }, + "Controller": { + "Main": { + "advDRMOptions": "Защищенный файл", + "advDRMPassword": "Пароль", + "closeButtonText": "Закрыть файл", + "criticalErrorTitle": "Ошибка", + "errorAccessDeny": "Вы пытаетесь выполнить действие, на которое у вас нет прав.
Пожалуйста, обратитесь к администратору.", + "errorOpensource": "Используя бесплатную версию Community, вы можете открывать документы только на просмотр. Для доступа к мобильным веб-редакторам требуется коммерческая лицензия.", + "errorProcessSaveResult": "Сбой при сохранении.", + "errorServerVersion": "Версия редактора была обновлена. Страница будет перезагружена, чтобы применить изменения.", + "errorUpdateVersion": "Версия файла была изменена. Страница будет перезагружена.", + "leavePageText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.", + "notcriticalErrorTitle": "Внимание", + "SDK": { + "Chart": "Диаграмма", + "ClipArt": "Картинка", + "Date and time": "Дата и время", + "Diagram": "SmartArt", + "Diagram Title": "Заголовок диаграммы", + "Footer": "Нижний колонтитул", + "Header": "Верхний колонтитул", + "Image": "Рисунок", + "Media": "Клип мультимедиа", + "Picture": "Рисунок", + "Series": "Ряд", + "Slide number": "Номер слайда", + "Slide subtitle": "Подзаголовок слайда", + "Slide text": "Текст слайда", + "Slide title": "Заголовок слайда", + "Table": "Таблица", + "X Axis": "Ось X (XAS)", + "Y Axis": "Ось Y", + "Your text here": "Введите ваш текст" + }, + "textAnonymous": "Анонимный пользователь", + "textBuyNow": "Перейти на сайт", + "textClose": "Закрыть", + "textContactUs": "Отдел продаж", + "textCustomLoader": "К сожалению, у вас нет прав изменять экран, отображаемый при загрузке. Пожалуйста, обратитесь в наш отдел продаж, чтобы сделать запрос.", + "textGuest": "Гость", + "textHasMacros": "Файл содержит автозапускаемые макросы.
Хотите запустить макросы?", + "textNo": "Нет", + "textNoLicenseTitle": "Лицензионное ограничение", + "textOpenFile": "Введите пароль для открытия файла", + "textPaidFeature": "Платная функция", + "textRemember": "Запомнить мой выбор", + "textYes": "Да", + "titleLicenseExp": "Истек срок действия лицензии", + "titleServerVersion": "Редактор обновлен", + "titleUpdateVersion": "Версия изменилась", + "txtIncorrectPwd": "Неверный пароль", + "txtProtected": "Как только вы введете пароль и откроете файл, текущий пароль к файлу будет сброшен", + "warnLicenseExceeded": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт только на просмотр. Свяжитесь с администратором, чтобы узнать больше.", + "warnLicenseExp": "Истек срок действия лицензии. Обновите лицензию, а затем обновите страницу.", + "warnLicenseLimitedNoAccess": "Истек срок действия лицензии. Нет доступа к функциональности редактирования документов. Пожалуйста, обратитесь к администратору.", + "warnLicenseLimitedRenewed": "Необходимо обновить лицензию. У вас ограниченный доступ к функциональности редактирования документов.
Пожалуйста, обратитесь к администратору, чтобы получить полный доступ", + "warnLicenseUsersExceeded": "Вы достигли лимита на количество пользователей редакторов %1. Свяжитесь с администратором, чтобы узнать больше.", + "warnNoLicense": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт на просмотр. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", + "warnNoLicenseUsers": "Вы достигли лимита на количество пользователей редакторов %1. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", + "warnProcessRightsChange": "У вас нет прав на редактирование этого файла." + } + }, + "Error": { + "convertationTimeoutText": "Превышено время ожидания конвертации.", + "criticalErrorExtText": "Нажмите 'OK' для возврата к списку документов.", + "criticalErrorTitle": "Ошибка", + "downloadErrorText": "Загрузка не удалась.", + "errorAccessDeny": "Вы пытаетесь выполнить действие, на которое у вас нет прав.
Пожалуйста, обратитесь к администратору.", + "errorBadImageUrl": "Неправильный URL-адрес рисунка", + "errorConnectToServer": "Не удается сохранить документ. Проверьте параметры подключения или обратитесь к вашему администратору.
Когда вы нажмете на кнопку 'OK', вам будет предложено скачать документ.", + "errorDatabaseConnection": "Внешняя ошибка.
Ошибка подключения к базе данных. Пожалуйста, обратитесь в службу технической поддержки.", + "errorDataEncrypted": "Получены зашифрованные изменения, их нельзя расшифровать.", + "errorDataRange": "Некорректный диапазон данных.", + "errorDefaultMessage": "Код ошибки: %1", + "errorEditingDownloadas": "В ходе работы с документом произошла ошибка.
Используйте опцию 'Скачать', чтобы сохранить резервную копию файла локально.", + "errorFilePassProtect": "Файл защищен паролем и не может быть открыт.", + "errorFileSizeExceed": "Размер файла превышает ограничение, установленное для вашего сервера.
Пожалуйста, обратитесь к администратору.", + "errorKeyEncrypt": "Неизвестный дескриптор ключа", + "errorKeyExpire": "Срок действия дескриптора ключа истек", + "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": "Загрузка данных...", + "applyChangesTitleText": "Загрузка данных", + "downloadTextText": "Загрузка документа...", + "downloadTitleText": "Загрузка документа", + "loadFontsTextText": "Загрузка данных...", + "loadFontsTitleText": "Загрузка данных", + "loadFontTextText": "Загрузка данных...", + "loadFontTitleText": "Загрузка данных", + "loadImagesTextText": "Загрузка рисунков...", + "loadImagesTitleText": "Загрузка рисунков", + "loadImageTextText": "Загрузка рисунка...", + "loadImageTitleText": "Загрузка рисунка", + "loadingDocumentTextText": "Загрузка документа...", + "loadingDocumentTitleText": "Загрузка документа", + "loadThemeTextText": "Загрузка темы...", + "loadThemeTitleText": "Загрузка темы", + "openTextText": "Открытие документа...", + "openTitleText": "Открытие документа", + "printTextText": "Печать документа...", + "printTitleText": "Печать документа", + "savePreparingText": "Подготовка к сохранению", + "savePreparingTitle": "Подготовка к сохранению. Пожалуйста, подождите...", + "saveTextText": "Сохранение документа...", + "saveTitleText": "Сохранение документа", + "textLoadingDocument": "Загрузка документа", + "txtEditingMode": "Установка режима редактирования...", + "uploadImageTextText": "Загрузка рисунка...", + "uploadImageTitleText": "Загрузка рисунка", + "waitText": "Пожалуйста, подождите..." + }, + "Toolbar": { + "dlgLeaveMsgText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.", + "dlgLeaveTitleText": "Вы выходите из приложения", + "leaveButtonText": "Уйти со страницы", + "stayButtonText": "Остаться на странице" + }, + "View": { + "Add": { + "notcriticalErrorTitle": "Внимание", + "textAddLink": "Добавить ссылку", + "textAddress": "Адрес", + "textBack": "Назад", + "textCancel": "Отмена", + "textColumns": "Колонки", + "textComment": "Комментарий", + "textDefault": "Выделенный текст", + "textDisplay": "Отображать", + "textEmptyImgUrl": "Необходимо указать URL рисунка.", + "textExternalLink": "Внешняя ссылка", + "textFirstSlide": "Первый слайд", + "textImage": "Рисунок", + "textImageURL": "URL рисунка", + "textInsert": "Вставить", + "textInsertImage": "Вставить рисунок", + "textLastSlide": "Последний слайд", + "textLink": "Ссылка", + "textLinkSettings": "Настройки ссылки", + "textLinkTo": "Связать с", + "textLinkType": "Тип ссылки", + "textNextSlide": "Следующий слайд", + "textOther": "Другое", + "textPictureFromLibrary": "Рисунок из библиотеки", + "textPictureFromURL": "Рисунок по URL", + "textPreviousSlide": "Предыдущий слайд", + "textRows": "Строки", + "textScreenTip": "Подсказка", + "textShape": "Фигура", + "textSlide": "Слайд", + "textSlideInThisPresentation": "Слайд в этой презентации", + "textSlideNumber": "Номер слайда", + "textTable": "Таблица", + "textTableSize": "Размер таблицы", + "txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"" + }, + "Edit": { + "notcriticalErrorTitle": "Внимание", + "textActualSize": "Реальный размер", + "textAddCustomColor": "Добавить пользовательский цвет", + "textAdditional": "Дополнительно", + "textAdditionalFormatting": "Дополнительно", + "textAddress": "Адрес", + "textAfter": "После", + "textAlign": "Выравнивание", + "textAlignBottom": "По нижнему краю", + "textAlignCenter": "По центру", + "textAlignLeft": "По левому краю", + "textAlignMiddle": "По середине", + "textAlignRight": "По правому краю", + "textAlignTop": "По верхнему краю", + "textAllCaps": "Все прописные", + "textApplyAll": "Применить ко всем слайдам", + "textAuto": "Авто", + "textBack": "Назад", + "textBandedColumn": "Чередовать столбцы", + "textBandedRow": "Чередовать строки", + "textBefore": "Перед", + "textBlack": "Через черное", + "textBorder": "Граница", + "textBottom": "Снизу", + "textBottomLeft": "Снизу слева", + "textBottomRight": "Снизу справа", + "textBringToForeground": "Перенести на передний план", + "textBulletsAndNumbers": "Маркеры и нумерация", + "textCaseSensitive": "С учетом регистра", + "textCellMargins": "Поля ячейки", + "textChart": "Диаграмма", + "textClock": "Часы", + "textClockwise": "По часовой стрелке", + "textColor": "Цвет", + "textCounterclockwise": "Против часовой стрелки", + "textCover": "Наплыв", + "textCustomColor": "Пользовательский цвет", + "textDefault": "Выделенный текст", + "textDelay": "Задержка", + "textDeleteSlide": "Удалить слайд", + "textDisplay": "Отображать", + "textDistanceFromText": "Расстояние до текста", + "textDistributeHorizontally": "Распределить по горизонтали", + "textDistributeVertically": "Распределить по вертикали", + "textDone": "Готово", + "textDoubleStrikethrough": "Двойное зачёркивание", + "textDuplicateSlide": "Дублировать слайд", + "textDuration": "Длительность", + "textEditLink": "Редактировать ссылку", + "textEffect": "Эффект", + "textEffects": "Эффекты", + "textEmptyImgUrl": "Необходимо указать URL рисунка.", + "textExternalLink": "Внешняя ссылка", + "textFade": "Выцветание", + "textFill": "Заливка", + "textFinalMessage": "Просмотр слайдов завершен. Коснитесь, чтобы выйти.", + "textFind": "Поиск", + "textFindAndReplace": "Поиск и замена", + "textFirstColumn": "Первый столбец", + "textFirstSlide": "Первый слайд", + "textFontColor": "Цвет шрифта", + "textFontColors": "Цвета шрифта", + "textFonts": "Шрифты", + "textFromLibrary": "Рисунок из библиотеки", + "textFromURL": "Рисунок по URL", + "textHeaderRow": "Строка заголовка", + "textHighlight": "Выделить результаты", + "textHighlightColor": "Цвет выделения", + "textHorizontalIn": "По горизонтали внутрь", + "textHorizontalOut": "По горизонтали наружу", + "textHyperlink": "Гиперссылка", + "textImage": "Рисунок", + "textImageURL": "URL рисунка", + "textLastColumn": "Последний столбец", + "textLastSlide": "Последний слайд", + "textLayout": "Макет", + "textLeft": "Слева", + "textLetterSpacing": "Интервал", + "textLineSpacing": "Междустрочный интервал", + "textLink": "Ссылка", + "textLinkSettings": "Настройки ссылки", + "textLinkTo": "Связать с", + "textLinkType": "Тип ссылки", + "textMoveBackward": "Перенести назад", + "textMoveForward": "Перенести вперед", + "textNextSlide": "Следующий слайд", + "textNone": "Нет", + "textNoStyles": "Для этого типа диаграммы нет стилей.", + "textNoTextFound": "Текст не найден", + "textNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"", + "textOpacity": "Прозрачность", + "textOptions": "Параметры", + "textPictureFromLibrary": "Рисунок из библиотеки", + "textPictureFromURL": "Рисунок по URL", + "textPreviousSlide": "Предыдущий слайд", + "textPt": "пт", + "textPush": "Задвигание", + "textRemoveChart": "Удалить диаграмму", + "textRemoveImage": "Удалить рисунок", + "textRemoveLink": "Удалить ссылку", + "textRemoveShape": "Удалить фигуру", + "textRemoveTable": "Удалить таблицу", + "textReorder": "Порядок", + "textReplace": "Заменить", + "textReplaceAll": "Заменить все", + "textReplaceImage": "Заменить рисунок", + "textRight": "Справа", + "textScreenTip": "Подсказка", + "textSearch": "Поиск", + "textSec": "сек", + "textSelectObjectToEdit": "Выберите объект для редактирования", + "textSendToBackground": "Перенести на задний план", + "textShape": "Фигура", + "textSize": "Размер", + "textSlide": "Слайд", + "textSlideInThisPresentation": "Слайд в этой презентации", + "textSlideNumber": "Номер слайда", + "textSmallCaps": "Малые прописные", + "textSmoothly": "Плавно", + "textSplit": "Панорама", + "textStartOnClick": "Запускать щелчком", + "textStrikethrough": "Зачёркивание", + "textStyle": "Стиль", + "textStyleOptions": "Настройки стиля", + "textSubscript": "Подстрочные", + "textSuperscript": "Надстрочные", + "textTable": "Таблица", + "textText": "Текст", + "textTheme": "Тема", + "textTop": "Сверху", + "textTopLeft": "Сверху слева", + "textTopRight": "Сверху справа", + "textTotalRow": "Строка итогов", + "textTransition": "Переход", + "textType": "Тип", + "textUnCover": "Открывание", + "textVerticalIn": "По вертикали внутрь", + "textVerticalOut": "По вертикали наружу", + "textWedge": "Симметрично по кругу", + "textWipe": "Появление", + "textZoom": "Масштабирование", + "textZoomIn": "Увеличение", + "textZoomOut": "Уменьшение", + "textZoomRotate": "Увеличение с поворотом" + }, + "Settings": { + "mniSlideStandard": "Стандартный (4:3)", + "mniSlideWide": "Широкоэкранный (16:9)", + "textAbout": "О программе", + "textAddress": "адрес: ", + "textApplication": "Приложение", + "textApplicationSettings": "Настройки приложения", + "textAuthor": "Автор", + "textBack": "Назад", + "textCaseSensitive": "С учетом регистра", + "textCentimeter": "Сантиметр", + "textCollaboration": "Совместная работа", + "textColorSchemes": "Цветовые схемы", + "textComment": "Комментарий", + "textCreated": "Создана", + "textDisableAll": "Отключить все", + "textDisableAllMacrosWithNotification": "Отключить все макросы с уведомлением", + "textDisableAllMacrosWithoutNotification": "Отключить все макросы без уведомления", + "textDone": "Готово", + "textDownload": "Скачать", + "textDownloadAs": "Скачать как...", + "textEmail": "email: ", + "textEnableAll": "Включить все", + "textEnableAllMacrosWithoutNotification": "Включить все макросы без уведомления", + "textFind": "Поиск", + "textFindAndReplace": "Поиск и замена", + "textFindAndReplaceAll": "Найти и заменить все", + "textHelp": "Справка", + "textHighlight": "Выделить результаты", + "textInch": "Дюйм", + "textLastModified": "Последнее изменение", + "textLastModifiedBy": "Автор последнего изменения", + "textLoading": "Загрузка...", + "textLocation": "Размещение", + "textMacrosSettings": "Настройки макросов", + "textNoTextFound": "Текст не найден", + "textOwner": "Владелец", + "textPoint": "Пункт", + "textPoweredBy": "Разработано", + "textPresentationInfo": "Информация о презентации", + "textPresentationSettings": "Настройки презентации", + "textPresentationTitle": "Название презентации", + "textPrint": "Печать", + "textReplace": "Заменить", + "textReplaceAll": "Заменить все", + "textSearch": "Поиск", + "textSettings": "Настройки", + "textShowNotification": "Показывать уведомление", + "textSlideSize": "Размер слайда", + "textSpellcheck": "Проверка орфографии", + "textSubject": "Тема", + "textTel": "телефон:", + "textTitle": "Название", + "textUnitOfMeasurement": "Единица измерения", + "textUploaded": "Загружена", + "textVersion": "Версия" + } + } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/zh.json b/apps/presentationeditor/mobile/locale/zh.json index 0e0dcd235..041812df5 100644 --- a/apps/presentationeditor/mobile/locale/zh.json +++ b/apps/presentationeditor/mobile/locale/zh.json @@ -1,3 +1,437 @@ { - + "About": { + "textAbout": "关于", + "textAddress": "地址", + "textBack": "返回", + "textEmail": "电子邮件", + "textPoweredBy": "支持方", + "textTel": "电话", + "textVersion": "版本" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "警告", + "textAddComment": "添加评论", + "textAddReply": "添加回复", + "textBack": "返回", + "textCancel": "取消", + "textCollaboration": "协作", + "textComments": "评论", + "textDeleteComment": "删除批注", + "textDeleteReply": "删除回复", + "textDone": "完成", + "textEdit": "编辑", + "textEditComment": "编辑评论", + "textEditReply": "编辑回复", + "textEditUser": "以下用户正在编辑文件:", + "textMessageDeleteComment": "您确定要删除此批注吗?", + "textMessageDeleteReply": "你确定要删除这一回复吗?", + "textNoComments": "此文档不包含批注", + "textReopen": "重新打开", + "textResolve": "解决", + "textTryUndoRedo": "快速共同编辑模式下,撤销/重做功能被禁用。", + "textUsers": "用户" + }, + "ThemeColorPalette": { + "textCustomColors": "自定义颜色", + "textStandartColors": "标准颜色", + "textThemeColors": "主题颜色" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "在上下文菜单中进行拷贝、剪切、粘贴操作只会在这个文件中起作用。", + "menuAddComment": "添加评论", + "menuAddLink": "添加链接", + "menuCancel": "取消", + "menuDelete": "删除", + "menuDeleteTable": "删除表", + "menuEdit": "编辑", + "menuMerge": "合并", + "menuMore": "更多", + "menuOpenLink": "打开链接", + "menuSplit": "分开", + "menuViewComment": "查看批注", + "textColumns": "列", + "textCopyCutPasteActions": "拷贝,剪切和粘贴操作", + "textDoNotShowAgain": "不要再显示", + "textRows": "行" + }, + "Controller": { + "Main": { + "advDRMOptions": "受保护的文件", + "advDRMPassword": "密码", + "closeButtonText": "关闭文件", + "criticalErrorTitle": "错误", + "errorAccessDeny": "你正要执行一个你没有权限的操作
恳请你联系你的管理员。", + "errorOpensource": "在使用免费社区版本的情况下,你只能查看打开的文件。要想使用移动网上编辑器功能,你需要持有付费许可证。", + "errorProcessSaveResult": "保存失败", + "errorServerVersion": "编辑器版本已完成更新。为应用这些更改,该页将要刷新。", + "errorUpdateVersion": "文件版本发生改变。该页将要刷新。", + "leavePageText": "你在该文档中有尚未保存的修改。点击“留在该页”将激活自动保存。点击“离开该页”将舍弃全部未保存的修改。", + "notcriticalErrorTitle": "警告", + "SDK": { + "Chart": "图表", + "ClipArt": "剪贴画", + "Date and time": "日期和时间", + "Diagram": "图", + "Diagram Title": "图表标题", + "Footer": "页脚", + "Header": "页眉", + "Image": "图片", + "Media": "媒体", + "Picture": "图片", + "Series": "系列", + "Slide number": "幻灯片编号", + "Slide subtitle": "幻灯片副标题", + "Slide text": "幻灯片文本", + "Slide title": "幻灯片标题", + "Table": "表格", + "X Axis": "X 轴 XAS", + "Y Axis": "Y 轴", + "Your text here": "你的文本在此" + }, + "textAnonymous": "匿名", + "textBuyNow": "访问网站", + "textClose": "关闭", + "textContactUs": "联系销售", + "textCustomLoader": "抱歉,你无权修改装载器。恳请你联系我们的销售部门来获取报价。", + "textGuest": "访客", + "textHasMacros": "这个文件带有自动宏。
是否要运行宏?", + "textNo": "不", + "textNoLicenseTitle": "触碰到许可证数量限制。", + "textOpenFile": "输入密码来打开文件", + "textPaidFeature": "付费功能", + "textRemember": "记住我的选择", + "textYes": "是", + "titleLicenseExp": "许可证过期", + "titleServerVersion": "编辑器已更新", + "titleUpdateVersion": "版本已变化", + "txtIncorrectPwd": "密码有误", + "txtProtected": "在您输入密码和打开文件后,该文件的当前密码将被重置", + "warnLicenseExceeded": "你触发了 %1 编辑器的同时在线数限制。该文档打开后,你将只能查看。可联系管理员来了解更多信息。", + "warnLicenseExp": "你的许可证过期了。请更新你的许可证,然后刷新该页。", + "warnLicenseLimitedNoAccess": "许可证已经过期。你现在无法使用文档编辑功能。恳请你联系您的管理员。", + "warnLicenseLimitedRenewed": "许可证需要更新。你的文档编辑功能被限制了。
要想取得全部权限,请联系你的管理员。", + "warnLicenseUsersExceeded": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。", + "warnNoLicense": "你已经触发了 %1 编辑器的同时在线数限制. 该文档打开后,你将只能查看。请联系 %1 的销售团队,获取个人升级条款。", + "warnNoLicenseUsers": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。", + "warnProcessRightsChange": "你没有编辑文件的权限。" + } + }, + "Error": { + "convertationTimeoutText": "转换超时", + "criticalErrorExtText": "按下“好”按钮就可以回到文档列表。", + "criticalErrorTitle": "错误", + "downloadErrorText": "下载失败", + "errorAccessDeny": "你正要执行一个你没有权限的操作。
请联系你的管理员。", + "errorBadImageUrl": "图片地址不正确", + "errorConnectToServer": "保存失败。请检查你的联网设定,或联系管理员。
你可以在按下“好”按钮之后下载这个文档。", + "errorDatabaseConnection": "外部错误。
数据库连接错误。请联系客服支持。", + "errorDataEncrypted": "加密更改已收到,无法对其解密。", + "errorDataRange": "数据范围不正确", + "errorDefaultMessage": "错误代码:%1", + "errorEditingDownloadas": "在处理此文档时发生了错误。
请利用“保存”选项将文件备份存储到本地。", + "errorFilePassProtect": "该文件已启动密码保护,无法打开。", + "errorFileSizeExceed": "文件大小超出服务器限制。
请联系你的管理员。", + "errorKeyEncrypt": "未知密钥描述", + "errorKeyExpire": "密钥过期", + "errorSessionAbsolute": "该文件编辑窗口已过期。请刷新该页。", + "errorSessionIdle": "该文档已经有一段时间没有编辑了。请刷新该页。", + "errorSessionToken": "与服务器的链接被打断。请刷新该页。", + "errorStockChart": "行的顺序有误。要想建立股票图表,请将数据按照如下顺序安放到表格中:
开盘价格,最高价格,最低价格,收盘价格。", + "errorUpdateVersionOnDisconnect": "网络链接已经恢复,且文件版本已被更改。
在继续之前,请先下载该文件,或拷贝文件的内容,以确保不会发生任何丢失,然后刷新该页面。", + "errorUserDrop": "该文件现在无法访问。", + "errorUsersExceed": "超过了定价计划允许的用户数", + "errorViewerDisconnect": "网络连接失败。你仍然可以查看这个文档,
但在连接恢复并刷新该页之前,你将不能下载这个文档。", + "notcriticalErrorTitle": "警告", + "openErrorText": "打开文件时发生错误", + "saveErrorText": "保存文件时发生错误", + "scriptLoadError": "网速过慢,导致该页部分元素未能成功加载。请刷新该页。", + "splitDividerErrorText": "该行数必须是%1的约数。", + "splitMaxColsErrorText": "列数必须小于%1", + "splitMaxRowsErrorText": "行数必须小于%1", + "unknownErrorText": "未知错误。", + "uploadImageExtMessage": "未知图像格式。", + "uploadImageFileCountMessage": "没有图片上传", + "uploadImageSizeMessage": "超过了最大图片大小" + }, + "LongActions": { + "applyChangesTextText": "数据加载中…", + "applyChangesTitleText": "数据加载中", + "downloadTextText": "正在下载文件...", + "downloadTitleText": "下载文件", + "loadFontsTextText": "数据加载中…", + "loadFontsTitleText": "数据加载中", + "loadFontTextText": "数据加载中…", + "loadFontTitleText": "数据加载中", + "loadImagesTextText": "图片加载中…", + "loadImagesTitleText": "图片加载中", + "loadImageTextText": "图片加载中…", + "loadImageTitleText": "图片加载中", + "loadingDocumentTextText": "文件加载中…", + "loadingDocumentTitleText": "文件加载中…", + "loadThemeTextText": "加载主题...", + "loadThemeTitleText": "加载主题", + "openTextText": "打开文件...", + "openTitleText": "正在打开文件", + "printTextText": "打印文件", + "printTitleText": "打印文件", + "savePreparingText": "图像上传中……", + "savePreparingTitle": "正在保存,请稍候...", + "saveTextText": "正在保存文档...", + "saveTitleText": "保存文件", + "textLoadingDocument": "文件加载中…", + "txtEditingMode": "设置编辑模式..", + "uploadImageTextText": "上传图片...", + "uploadImageTitleText": "图片上传中", + "waitText": "请稍候..." + }, + "Toolbar": { + "dlgLeaveMsgText": "你在该文档中有未保存的修改。点击“留在该页”来等待自动保存。点击“离开该页”将舍弃全部未保存的更改。", + "dlgLeaveTitleText": "你退出应用程序", + "leaveButtonText": "离开这个页面", + "stayButtonText": "保持此页上" + }, + "View": { + "Add": { + "notcriticalErrorTitle": "警告", + "textAddLink": "添加链接", + "textAddress": "地址", + "textBack": "返回", + "textCancel": "取消", + "textColumns": "列", + "textComment": "评论", + "textDefault": "所选文字", + "textDisplay": "展示", + "textEmptyImgUrl": "你需要指定图片的网页。", + "textExternalLink": "外部链接", + "textFirstSlide": "第一张幻灯片", + "textImage": "图片", + "textImageURL": "图片地址", + "textInsert": "插入", + "textInsertImage": "插入图片", + "textLastSlide": "最后一张幻灯片", + "textLink": "链接", + "textLinkSettings": "链接设置", + "textLinkTo": "链接到", + "textLinkType": "链接类型", + "textNextSlide": "下一张幻灯片", + "textOther": "其他", + "textPictureFromLibrary": "图库", + "textPictureFromURL": "来自网络的图片", + "textPreviousSlide": "上一张幻灯片", + "textRows": "行", + "textScreenTip": "屏幕提示", + "textShape": "形状", + "textSlide": "幻灯片", + "textSlideInThisPresentation": "本演示文件中的幻灯片", + "textSlideNumber": "幻灯片编号", + "textTable": "表格", + "textTableSize": "表格大小", + "txtNotUrl": "该字段应为“http://www.example.com”格式的URL" + }, + "Edit": { + "notcriticalErrorTitle": "警告", + "textActualSize": "实际大小", + "textAddCustomColor": "\n添加自定义颜色", + "textAdditional": "其他", + "textAdditionalFormatting": "其他格式", + "textAddress": "地址", + "textAfter": "之后", + "textAlign": "对齐", + "textAlignBottom": "底部对齐", + "textAlignCenter": "居中对齐", + "textAlignLeft": "左对齐", + "textAlignMiddle": "居中对齐", + "textAlignRight": "右对齐", + "textAlignTop": "顶端对齐", + "textAllCaps": "全部大写", + "textApplyAll": "应用于所有幻灯片", + "textAuto": "自动", + "textBack": "返回", + "textBandedColumn": "带状列", + "textBandedRow": "带状行", + "textBefore": "之前", + "textBlack": "通过黑色", + "textBorder": "边界", + "textBottom": "底部", + "textBottomLeft": "左下", + "textBottomRight": "右下", + "textBringToForeground": "放到最上面", + "textBulletsAndNumbers": "项目符号与编号", + "textCaseSensitive": "区分大小写", + "textCellMargins": "单元格边距", + "textChart": "图表", + "textClock": "时钟", + "textClockwise": "顺时针", + "textColor": "颜色", + "textCounterclockwise": "逆时针", + "textCover": "封面", + "textCustomColor": "自定义颜色", + "textDefault": "所选文字", + "textDelay": "延迟", + "textDeleteSlide": "删除幻灯片", + "textDisplay": "展示", + "textDistanceFromText": "文字距离", + "textDistributeHorizontally": "水平分布", + "textDistributeVertically": "垂直分布", + "textDone": "完成", + "textDoubleStrikethrough": "双删除线", + "textDuplicateSlide": "复制幻灯片", + "textDuration": "持续时间", + "textEditLink": "编辑链接", + "textEffect": "效果", + "textEffects": "效果", + "textEmptyImgUrl": "你需要指定图片的网页。", + "textExternalLink": "外部链接", + "textFade": "淡褪", + "textFill": "填满", + "textFinalMessage": "该页为幻灯预览的结尾。点击以退出。", + "textFind": "查找", + "textFindAndReplace": "查找和替换", + "textFirstColumn": "第一列", + "textFirstSlide": "第一张幻灯片", + "textFontColor": "字体颜色", + "textFontColors": "字体颜色", + "textFonts": "字体", + "textFromLibrary": "图库", + "textFromURL": "来自网络的图片", + "textHeaderRow": "标题行", + "textHighlight": "高亮效果", + "textHighlightColor": "颜色高亮", + "textHorizontalIn": "水平进入", + "textHorizontalOut": "水平离开", + "textHyperlink": "超链接", + "textImage": "图片", + "textImageURL": "图片地址", + "textLastColumn": "最后一列", + "textLastSlide": "最后一张幻灯片", + "textLayout": "布局", + "textLeft": "左", + "textLetterSpacing": "字母间距", + "textLineSpacing": "行间距", + "textLink": "链接", + "textLinkSettings": "链接设置", + "textLinkTo": "链接到", + "textLinkType": "链接类型", + "textMoveBackward": "向后移动", + "textMoveForward": "向前移动", + "textNextSlide": "下一张幻灯片", + "textNone": "无", + "textNoStyles": "这个类型的表格没有对应的样式设定。", + "textNoTextFound": "文本没找到", + "textNotUrl": "该字段应为“http://www.example.com”格式的URL", + "textOpacity": "不透明度", + "textOptions": "选项", + "textPictureFromLibrary": "图库", + "textPictureFromURL": "来自网络的图片", + "textPreviousSlide": "上一张幻灯片", + "textPt": "像素", + "textPush": "推送", + "textRemoveChart": "删除图表", + "textRemoveImage": "删除图片", + "textRemoveLink": "删除链接", + "textRemoveShape": "去除形状", + "textRemoveTable": "删除表", + "textReorder": "重新订购", + "textReplace": "替换", + "textReplaceAll": "全部替换", + "textReplaceImage": "替换图像", + "textRight": "右", + "textScreenTip": "屏幕提示", + "textSearch": "搜索", + "textSec": "S", + "textSelectObjectToEdit": "选择要编辑的物件", + "textSendToBackground": "送至后台", + "textShape": "形状", + "textSize": "大小", + "textSlide": "幻灯片", + "textSlideInThisPresentation": "本演示文件中的幻灯片", + "textSlideNumber": "幻灯片编号", + "textSmallCaps": "小写", + "textSmoothly": "顺利", + "textSplit": "分开", + "textStartOnClick": "点击时开始", + "textStrikethrough": "删除线", + "textStyle": "样式", + "textStyleOptions": "样式选项", + "textSubscript": "下标", + "textSuperscript": "上标", + "textTable": "表格", + "textText": "文本", + "textTheme": "主题", + "textTop": "顶部", + "textTopLeft": "左上", + "textTopRight": "右上", + "textTotalRow": "总行", + "textTransition": "过渡", + "textType": "类型", + "textUnCover": "揭露", + "textVerticalIn": "铅直进入", + "textVerticalOut": "铅直离开", + "textWedge": "楔", + "textWipe": "抹掉", + "textZoom": "放大", + "textZoomIn": "放大", + "textZoomOut": "缩小", + "textZoomRotate": "缩放并旋转" + }, + "Settings": { + "mniSlideStandard": "标准(4:3)", + "mniSlideWide": "宽屏(16:9)", + "textAbout": "关于", + "textAddress": "地址:", + "textApplication": "应用", + "textApplicationSettings": "应用设置", + "textAuthor": "作者", + "textBack": "返回", + "textCaseSensitive": "区分大小写", + "textCentimeter": "厘米", + "textCollaboration": "协作", + "textColorSchemes": "颜色方案", + "textComment": "评论", + "textCreated": "已创建", + "textDisableAll": "解除所有项目", + "textDisableAllMacrosWithNotification": "关闭所有带通知的宏", + "textDisableAllMacrosWithoutNotification": "关闭所有不带通知的宏", + "textDone": "完成", + "textDownload": "下载", + "textDownloadAs": "下载为...", + "textEmail": "电子邮件:", + "textEnableAll": "启动所有项目", + "textEnableAllMacrosWithoutNotification": "启动所有不带通知的宏", + "textFind": "查找", + "textFindAndReplace": "查找和替换", + "textFindAndReplaceAll": "查找并替换所有", + "textHelp": "帮助", + "textHighlight": "高亮效果", + "textInch": "寸", + "textLastModified": "上次修改时间", + "textLastModifiedBy": "上次修改人是", + "textLoading": "加载中…", + "textLocation": "位置", + "textMacrosSettings": "宏设置", + "textNoTextFound": "文本没找到", + "textOwner": "创建者", + "textPoint": "点", + "textPoweredBy": "支持方", + "textPresentationInfo": "演示信息", + "textPresentationSettings": "演示文稿设置", + "textPresentationTitle": "演示文档标题", + "textPrint": "打印", + "textReplace": "替换", + "textReplaceAll": "全部替换", + "textSearch": "搜索", + "textSettings": "设置", + "textShowNotification": "显示通知", + "textSlideSize": "幻灯片大小", + "textSpellcheck": "拼写检查", + "textSubject": "主题", + "textTel": "电话:", + "textTitle": "标题", + "textUnitOfMeasurement": "计量单位", + "textUploaded": "已上传", + "textVersion": "版本" + } + } } \ 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 386ed5b50..832eea745 100644 --- a/apps/presentationeditor/mobile/src/controller/Main.jsx +++ b/apps/presentationeditor/mobile/src/controller/Main.jsx @@ -75,8 +75,6 @@ class MainController extends Component { EditorUIController.isSupportEditFeature(); - console.log('load config'); - this.editorConfig = Object.assign({}, this.editorConfig, data.config); this.props.storeAppOptions.setConfigOptions(this.editorConfig, _t); diff --git a/apps/presentationeditor/mobile/src/controller/Toolbar.jsx b/apps/presentationeditor/mobile/src/controller/Toolbar.jsx index 87225a53d..5f50b615a 100644 --- a/apps/presentationeditor/mobile/src/controller/Toolbar.jsx +++ b/apps/presentationeditor/mobile/src/controller/Toolbar.jsx @@ -131,7 +131,6 @@ const ToolbarController = inject('storeAppOptions', 'users')(observer(props => { } } - const [disabledAdd, setDisabledAdd] = useState(false); const [disabledEdit, setDisabledEdit] = useState(false); const onApiFocusObject = (objects) => { if (isDisconnected) return; @@ -153,7 +152,6 @@ const ToolbarController = inject('storeAppOptions', 'users')(observer(props => { } }); - setDisabledAdd(slide_deleted); setDisabledEdit(slide_deleted || (objectLocked || no_object) && slide_lock); } }; @@ -194,7 +192,6 @@ const ToolbarController = inject('storeAppOptions', 'users')(observer(props => { isCanRedo={isCanRedo} onUndo={onUndo} onRedo={onRedo} - disabledAdd={disabledAdd} disabledEdit={disabledEdit} disabledPreview={disabledPreview} disabledControls={disabledControls} diff --git a/apps/presentationeditor/mobile/src/index_dev.html b/apps/presentationeditor/mobile/src/index_dev.html index cb2743791..867a5ff63 100644 --- a/apps/presentationeditor/mobile/src/index_dev.html +++ b/apps/presentationeditor/mobile/src/index_dev.html @@ -59,42 +59,12 @@ return urlParams; } - const encodeUrlParam = str => str.replace(/&/g, '&') - .replace(/"/g, '"') - .replace(/'/g, ''') - .replace(//g, '>'); - let params = getUrlParams(), - lang = (params["lang"] || 'en').split(/[\-\_]/)[0], - logo = /*params["headerlogo"] ? encodeUrlParam(params["headerlogo"]) : */null, - logoOO = null; - if (!logo) { - logoOO = isAndroid ? "../../common/mobile/resources/img/header/header-logo-android.png" : "../../common/mobile/resources/img/header/header-logo-ios.png"; - } + lang = (params["lang"] || 'en').split(/[\-\_]/)[0]; window.frameEditorId = params["frameEditorId"]; window.parentOrigin = params["parentOrigin"]; window.Common = {Locale: {currentLang: lang}}; - - let brendpanel = document.getElementsByClassName('brendpanel')[0]; - if (brendpanel) { - if ( isAndroid ) { - brendpanel.classList.add('android'); - } - brendpanel.classList.add('visible'); - - let elem = document.querySelector('.loading-logo'); - if (elem) { - logo && (elem.innerHTML = ''); - logoOO && (elem.innerHTML = ''); - elem.style.opacity = 1; - } - var placeholder = document.getElementsByClassName('placeholder')[0]; - if (placeholder && isAndroid) { - placeholder.classList.add('android'); - } - } diff --git a/apps/presentationeditor/mobile/src/store/appOptions.js b/apps/presentationeditor/mobile/src/store/appOptions.js index 5678eb8ec..b510250cb 100644 --- a/apps/presentationeditor/mobile/src/store/appOptions.js +++ b/apps/presentationeditor/mobile/src/store/appOptions.js @@ -91,6 +91,7 @@ export class storeAppOptions { this.canComments = this.canComments && !((typeof (this.customization) == 'object') && this.customization.comments===false); this.canViewComments = this.canComments || !((typeof (this.customization) == 'object') && this.customization.comments===false); this.canEditComments = this.isOffline || !(typeof (this.customization) == 'object' && this.customization.commentAuthorOnly); + this.canDeleteComments= this.isOffline || !permissions.deleteCommentAuthorOnly; this.canChat = this.canLicense && !this.isOffline && !((typeof (this.customization) == 'object') && this.customization.chat === false); this.canEditStyles = this.canLicense && this.canEdit; this.canPrint = (permissions.print !== false); @@ -104,6 +105,10 @@ export class storeAppOptions { this.canBranding = params.asc_getCustomization(); this.canBrandingExt = params.asc_getCanBranding() && (typeof this.customization == 'object'); - this.canUseReviewPermissions = this.canLicense && this.customization && this.customization.reviewPermissions && (typeof (this.customization.reviewPermissions) == 'object'); + this.canUseReviewPermissions = this.canLicense && (!!permissions.reviewGroups || this.customization + && this.customization.reviewPermissions && (typeof (this.customization.reviewPermissions) == 'object')); + this.canUseCommentPermissions = this.canLicense && !!permissions.commentGroups; + this.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(permissions.reviewGroups, this.customization.reviewPermissions); + this.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(permissions.commentGroups); } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/src/view/Toolbar.jsx b/apps/presentationeditor/mobile/src/view/Toolbar.jsx index 42f93da4f..d5cc8e502 100644 --- a/apps/presentationeditor/mobile/src/view/Toolbar.jsx +++ b/apps/presentationeditor/mobile/src/view/Toolbar.jsx @@ -29,8 +29,8 @@ const ToolbarView = props => { } {props.isEdit && EditorUIController.getToolbarOptions && EditorUIController.getToolbarOptions({ - disabledAdd: props.disabledAdd || props.disabledControls || isDisconnected, - disabledEdit: props.disabledEdit || props.disabledControls || isDisconnected, + disabledEdit: props.disabledEdit || props.disabledControls || isDisconnected || props.disabledPreview, + disabledAdd: props.disabledControls || isDisconnected, onEditClick: () => props.openOptions('edit'), onAddClick: () => props.openOptions('add') })} diff --git a/apps/presentationeditor/mobile/src/view/add/AddLink.jsx b/apps/presentationeditor/mobile/src/view/add/AddLink.jsx index fd164ddb6..c99ae87d3 100644 --- a/apps/presentationeditor/mobile/src/view/add/AddLink.jsx +++ b/apps/presentationeditor/mobile/src/view/add/AddLink.jsx @@ -99,7 +99,7 @@ const PageLink = props => { const display = props.getTextDisplay(); const displayDisabled = display !== false && display === null; const [stateDisplay, setDisplay] = useState(display !== false ? ((display !== null) ? display : _t.textDefault) : ""); - + const [stateAutoUpdate, setAutoUpdate] = useState(true); const [screenTip, setScreenTip] = useState(''); return ( @@ -116,7 +116,8 @@ const PageLink = props => { placeholder={_t.textLink} value={link} onChange={(event) => { - setLink(event.target.value) + setLink(event.target.value); + if(stateAutoUpdate) setDisplay(event.target.value); }} /> : { placeholder={_t.textDisplay} value={stateDisplay} disabled={displayDisabled} - onChange={(event) => {setDisplay(event.target.value)}} + onChange={(event) => {setDisplay(event.target.value); + setAutoUpdate(event.target.value == ''); }} />
-
+
@@ -161,46 +161,46 @@ -
-
-
-
-
diff --git a/apps/spreadsheeteditor/main/app/view/FileMenu.js b/apps/spreadsheeteditor/main/app/view/FileMenu.js index 4f41c7ba0..bcd7073a3 100644 --- a/apps/spreadsheeteditor/main/app/view/FileMenu.js +++ b/apps/spreadsheeteditor/main/app/view/FileMenu.js @@ -212,6 +212,17 @@ define([ this.rendered = true; this.$el.html($markup); this.$el.find('.content-box').hide(); + if (_.isUndefined(this.scroller)) { + var me = this; + this.scroller = new Common.UI.Scroller({ + el: this.$el.find('.panel-menu'), + suppressScrollX: true, + alwaysVisibleY: true + }); + Common.NotificationCenter.on('window:resize', function() { + me.scroller.update(); + }); + } this.applyMode(); if ( !!this.api ) { @@ -235,6 +246,7 @@ define([ if (!panel) panel = this.active || defPanel; this.$el.show(); + this.scroller.update(); this.selectMenu(panel, defPanel); this.api.asc_enableKeyEvents(false); @@ -377,6 +389,17 @@ define([ this.$el.find('.content-box:visible').hide(); panel.show(); + if (this.scroller) { + var itemTop = item.$el.position().top, + itemHeight = item.$el.outerHeight(), + listHeight = this.$el.outerHeight(); + if (itemTop < 0 || itemTop + itemHeight > listHeight) { + var height = this.scroller.$el.scrollTop() + itemTop + (itemHeight - listHeight)/2; + height = (Math.floor(height/itemHeight) * itemHeight); + this.scroller.scrollTop(height); + } + } + this.active = menu; } } diff --git a/apps/spreadsheeteditor/main/app/view/FormatRulesEditDlg.js b/apps/spreadsheeteditor/main/app/view/FormatRulesEditDlg.js index 21f537a89..020fecac1 100644 --- a/apps/spreadsheeteditor/main/app/view/FormatRulesEditDlg.js +++ b/apps/spreadsheeteditor/main/app/view/FormatRulesEditDlg.js @@ -229,7 +229,8 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template', editable : false, cls : 'input-group-nr', data : cmbData, - takeFocusOnClose: true + takeFocusOnClose: true, + scrollAlwaysVisible: false }).on('selected', function(combo, record) { me.refreshRules(record.value); }); @@ -661,7 +662,9 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template', type : i, template: _.template([ '' @@ -672,6 +675,7 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template', style: 'min-width: 105px;', additionalAlign: this.menuAddAlign, items: [ + { caption: this.txtNoCellIcon, checkable: true, allowDepress: false, toggleGroup: 'no-cell-icons-' + (i+1) }, { template: _.template('
') } ] })).render($('#format-rules-combo-icon-' + (i+1))); @@ -683,10 +687,12 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template', itemTemplate: _.template(''), type : i }); - picker.on('item:click', _.bind(this.onSelectIcon, this, combo)); + picker.on('item:click', _.bind(this.onSelectIcon, this, combo, menu.items[0])); + menu.items[0].on('toggle', _.bind(this.onSelectNoIcon, this, combo, picker)); this.iconsControls[i].cmbIcons = combo; this.iconsControls[i].pickerIcons = picker; + this.iconsControls[i].itemNoIcons = menu.items[0]; combo = new Common.UI.ComboBox({ el : $('#format-rules-edit-combo-op-' + (i+1)), @@ -1316,7 +1322,8 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template', if (rec) { props = this._originalProps || new Asc.asc_CConditionalFormattingRule(); - var type = rec.get('type'); + var type = rec.get('type'), + type_changed = (type!==props.asc_getType()); props.asc_setType(type); if (type == Asc.c_oAscCFType.containsText || type == Asc.c_oAscCFType.containsBlanks || type == Asc.c_oAscCFType.duplicateValues || type == Asc.c_oAscCFType.timePeriod || type == Asc.c_oAscCFType.aboveAverage || @@ -1358,7 +1365,7 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template', props.asc_setValue1(this.txtRange1.getValue()); break; case Asc.c_oAscCFType.colorScale: - var scaleProps = new Asc.asc_CColorScale(); + var scaleProps = !type_changed ? props.asc_getColorScaleOrDataBarOrIconSetRule() : new Asc.asc_CColorScale(); var scalesCount = rec.get('num'); var arr = (scalesCount==2) ? [this.scaleControls[0], this.scaleControls[2]] : this.scaleControls; var colors = [], scales = []; @@ -1375,7 +1382,8 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template', props.asc_setColorScaleOrDataBarOrIconSetRule(scaleProps); break; case Asc.c_oAscCFType.dataBar: - var barProps = new Asc.asc_CDataBar(); + var barProps = !type_changed ? props.asc_getColorScaleOrDataBarOrIconSetRule() : new Asc.asc_CDataBar(); + type_changed && barProps.asc_setInterfaceDefault(); var arr = this.barControls; var bars = []; for (var i=0; i0) { this.cmbIconsPresets.setValue(this.textCustom); _.each(icons, function(item) { - iconsIndexes.push(me.collectionPresets.at(item.asc_getIconSet()).get('icons')[item.asc_getIconId()]); + if (item.asc_getIconSet()==Asc.EIconSetType.NoIcons) { + iconsIndexes.push(-1); + } else + iconsIndexes.push(me.collectionPresets.at(item.asc_getIconSet()).get('icons')[item.asc_getIconId()]); }); } else { this.cmbIconsPresets.setValue(iconSet); @@ -1869,8 +1888,9 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template', var len = iconsIndexes.length; for (var i=0; i div'); formcontrol.css('background-image', record ? 'url(' + record.get('imgUrl') + ')' : ''); + formcontrol.text(record ? '' : this.txtNoCellIcon); }, isRangeValid: function() { @@ -2190,7 +2221,8 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template', textInvalid: 'Invalid data range.', textClear: 'Clear', textItem: 'Item', - textPresets: 'Presets' + textPresets: 'Presets', + txtNoCellIcon: 'No Icon' }, SSE.Views.FormatRulesEditDlg || {})); }); \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/app/view/FormatRulesManagerDlg.js b/apps/spreadsheeteditor/main/app/view/FormatRulesManagerDlg.js index 2eeabea6e..31d51f997 100644 --- a/apps/spreadsheeteditor/main/app/view/FormatRulesManagerDlg.js +++ b/apps/spreadsheeteditor/main/app/view/FormatRulesManagerDlg.js @@ -152,7 +152,7 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesManagerDlg.templa '
', '
<%= name %>
', '
', - '
', + '
', '<% if (lock) { %>', '
<%=lockuser%>
', '<% } %>', @@ -674,11 +674,13 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesManagerDlg.templa rec = this.rulesList.getSelectedRec(); if (rec) { var index = store.indexOf(rec); - var newrec = store.at(up ? this.getPrevRuleIndex(index) : this.getNextRuleIndex(index)), + var newindex = up ? this.getPrevRuleIndex(index) : this.getNextRuleIndex(index), + newrec = store.at(newindex), prioritynew = newrec.get('priority'); newrec.set('priority', rec.get('priority')); rec.set('priority', prioritynew); - store.add(store.remove(rec), {at: up ? Math.max(0, index-1) : Math.min(length-1, index+1)}); + store.add(store.remove(rec), {at: up ? Math.max(0, newindex) : Math.min(length-1, newindex)}); + store.add(store.remove(newrec), {at: up ? Math.max(0, index) : Math.min(length-1, index)}); this.rulesList.selectRecord(rec); this.rulesList.scrollToRecord(rec); } diff --git a/apps/spreadsheeteditor/main/locale/ca.json b/apps/spreadsheeteditor/main/locale/ca.json index eff3f75ba..38c46300e 100644 --- a/apps/spreadsheeteditor/main/locale/ca.json +++ b/apps/spreadsheeteditor/main/locale/ca.json @@ -3,19 +3,106 @@ "Common.Controllers.Chat.notcriticalErrorTitle": "Avis", "Common.Controllers.Chat.textEnterMessage": "Introduïu el vostre missatge aquí", "Common.define.chartData.textArea": "Àrea", + "Common.define.chartData.textAreaStacked": "Àrea apilada", + "Common.define.chartData.textAreaStackedPer": "Àrea apilada al 100%", "Common.define.chartData.textBar": "Barra", + "Common.define.chartData.textBarNormal": "Columna agrupada", + "Common.define.chartData.textBarNormal3d": "Columna 3D agrupada", + "Common.define.chartData.textBarNormal3dPerspective": "Columna 3D", + "Common.define.chartData.textBarStacked": "Columna apilada", + "Common.define.chartData.textBarStacked3d": "Columna 3D apilada", + "Common.define.chartData.textBarStackedPer": "Columna apilada al 100%", + "Common.define.chartData.textBarStackedPer3d": "columna 3D apilada al 100%", "Common.define.chartData.textCharts": "Gràfics", "Common.define.chartData.textColumn": "Columna", "Common.define.chartData.textColumnSpark": "Columna", + "Common.define.chartData.textCombo": "Combo", + "Common.define.chartData.textComboAreaBar": "Àrea apilada - columna agrupada", + "Common.define.chartData.textComboBarLine": "Columna-línia agrupada", + "Common.define.chartData.textComboBarLineSecondary": " Columna-línia agrupada a l'eix secundari", + "Common.define.chartData.textComboCustom": "Combinació personalitzada", + "Common.define.chartData.textDoughnut": "Donut", + "Common.define.chartData.textHBarNormal": "Barra agrupada", + "Common.define.chartData.textHBarNormal3d": "Barra 3D agrupada", + "Common.define.chartData.textHBarStacked": "Barra apilada", + "Common.define.chartData.textHBarStacked3d": "Barra 3D apilada", + "Common.define.chartData.textHBarStackedPer": "Barra apilada al 100%", + "Common.define.chartData.textHBarStackedPer3d": "Barra 3D apilada al 100%", "Common.define.chartData.textLine": "Línia", + "Common.define.chartData.textLine3d": "Línia 3D", + "Common.define.chartData.textLineMarker": "Línia amb marcadors", "Common.define.chartData.textLineSpark": "Línia", + "Common.define.chartData.textLineStacked": "Línia apilada", + "Common.define.chartData.textLineStackedMarker": "Línia apilada amb marcadors", + "Common.define.chartData.textLineStackedPer": "Línia apilada al 100%", + "Common.define.chartData.textLineStackedPerMarker": "Línia apilada al 100% amb marcadors", "Common.define.chartData.textPie": "Gràfic circular", + "Common.define.chartData.textPie3d": "Pastís 3D", "Common.define.chartData.textPoint": "XY (Dispersió)", + "Common.define.chartData.textScatter": "Dispersió", + "Common.define.chartData.textScatterLine": "Dispersió amb línies rectes", + "Common.define.chartData.textScatterLineMarker": "Dispersió amb línies rectes i marcadors", + "Common.define.chartData.textScatterSmooth": "Dispersió amb línies suaus", + "Common.define.chartData.textScatterSmoothMarker": "Dispersió amb línies suaus i marcadors", "Common.define.chartData.textSparks": "Sparklines", "Common.define.chartData.textStock": "Existències", "Common.define.chartData.textSurface": "Superfície", "Common.define.chartData.textWinLossSpark": "Guanyar/Pèrdua", + "Common.define.conditionalData.exampleText": "AaBbCcYyZz", + "Common.define.conditionalData.noFormatText": "No s'ha definit cap format", + "Common.define.conditionalData.text1Above": "1 per sobre de des. est.", + "Common.define.conditionalData.text1Below": "1 per sota de des. est.", + "Common.define.conditionalData.text2Above": "2 per sobre de des. est.", + "Common.define.conditionalData.text2Below": "2 per sota de des. est.", + "Common.define.conditionalData.text3Above": "3 per sobre de des. est.", + "Common.define.conditionalData.text3Below": "3 per sota de des. est.", + "Common.define.conditionalData.textAbove": "Damunt", + "Common.define.conditionalData.textAverage": "Mitjana", + "Common.define.conditionalData.textBegins": "Comença amb", + "Common.define.conditionalData.textBelow": "Sota", + "Common.define.conditionalData.textBetween": "entre", + "Common.define.conditionalData.textBlank": "En blanc", + "Common.define.conditionalData.textBlanks": "Conté espais en blanc", + "Common.define.conditionalData.textBottom": "Inferior", + "Common.define.conditionalData.textContains": "Conté", + "Common.define.conditionalData.textDataBar": "Barra de dades", + "Common.define.conditionalData.textDate": "Data", + "Common.define.conditionalData.textDuplicate": "Duplicar", + "Common.define.conditionalData.textEnds": "Acaba amb", + "Common.define.conditionalData.textEqAbove": "Igual o superior a", + "Common.define.conditionalData.textEqBelow": "Igual o inferior a", + "Common.define.conditionalData.textEqual": "Igual a", + "Common.define.conditionalData.textError": "Error", + "Common.define.conditionalData.textErrors": "Conté errors", + "Common.define.conditionalData.textFormula": "Fórmula", + "Common.define.conditionalData.textGreater": "Més gran que", + "Common.define.conditionalData.textGreaterEq": "Major o Igual a", + "Common.define.conditionalData.textIconSets": "Conjunts d'icones", + "Common.define.conditionalData.textLast7days": "En els darrers 7 dies", + "Common.define.conditionalData.textLastMonth": "El mes passat", + "Common.define.conditionalData.textLastWeek": "La setmana passada", + "Common.define.conditionalData.textLess": "Menor que", + "Common.define.conditionalData.textLessEq": "Menor o igual a", + "Common.define.conditionalData.textNextMonth": "Mes següent", + "Common.define.conditionalData.textNextWeek": "Setmana següent", + "Common.define.conditionalData.textNotBetween": "No entre", + "Common.define.conditionalData.textNotBlanks": "No conté espais en blanc", + "Common.define.conditionalData.textNotContains": "No conté", + "Common.define.conditionalData.textNotEqual": "No igual a", + "Common.define.conditionalData.textNotErrors": "No conté errors", + "Common.define.conditionalData.textText": "Text", + "Common.define.conditionalData.textThisMonth": "Aquest mes", + "Common.define.conditionalData.textThisWeek": "Aquesta setmana", + "Common.define.conditionalData.textToday": "Avui", + "Common.define.conditionalData.textTomorrow": "Demà", + "Common.define.conditionalData.textTop": "Superior", + "Common.define.conditionalData.textUnique": "Únic", + "Common.define.conditionalData.textValue": "El valor és", + "Common.define.conditionalData.textYesterday": "Ahir", "Common.Translation.warnFileLocked": "El document s'està editant en una altra aplicació. Podeu continuar editant i guardar-lo com a còpia.", + "Common.Translation.warnFileLockedBtnEdit": "Crea una còpia", + "Common.Translation.warnFileLockedBtnView": "Obrir per veure", + "Common.UI.ColorButton.textAutoColor": "Automàtic", "Common.UI.ColorButton.textNewColor": "Afegir un Nou Color Personalitzat", "Common.UI.ComboBorderSize.txtNoBorders": "Sense vores", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sense vores", @@ -40,6 +127,9 @@ "Common.UI.SynchronizeTip.textSynchronize": "Un altre usuari ha canviat el document.
Feu clic per desar els canvis i tornar a carregar les actualitzacions.", "Common.UI.ThemeColorPalette.textStandartColors": "Colors Estàndards", "Common.UI.ThemeColorPalette.textThemeColors": "Colors Tema", + "Common.UI.Themes.txtThemeClassicLight": "Llum clàssica", + "Common.UI.Themes.txtThemeDark": "Fosc", + "Common.UI.Themes.txtThemeLight": "Clar", "Common.UI.Window.cancelButtonText": "Cancel·lar", "Common.UI.Window.closeButtonText": "Tancar", "Common.UI.Window.noButtonText": "No", @@ -61,9 +151,11 @@ "Common.Views.About.txtVersion": "Versió", "Common.Views.AutoCorrectDialog.textAdd": "Afegir", "Common.Views.AutoCorrectDialog.textApplyAsWork": "Aplicar mentre treballeu", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Correcció Automàtica", "Common.Views.AutoCorrectDialog.textAutoFormat": "Format automàtic a mesura que escriviu", "Common.Views.AutoCorrectDialog.textBy": "Per", "Common.Views.AutoCorrectDialog.textDelete": "Esborrar", + "Common.Views.AutoCorrectDialog.textHyperlink": "Dreceres d'internet i de xarxa amb enllaços", "Common.Views.AutoCorrectDialog.textMathCorrect": "Correcció Automàtica Matemàtica", "Common.Views.AutoCorrectDialog.textNewRowCol": "Incloure files i columnes noves a la taula", "Common.Views.AutoCorrectDialog.textRecognized": "Funcions Reconegudes", @@ -83,7 +175,7 @@ "Common.Views.Comments.textAdd": "Afegir", "Common.Views.Comments.textAddComment": "Afegir Comentari", "Common.Views.Comments.textAddCommentToDoc": "Afegir Comentari al Document", - "Common.Views.Comments.textAddReply": "Afegir una Resposta", + "Common.Views.Comments.textAddReply": "Afegir Resposta", "Common.Views.Comments.textAnonym": "Convidat", "Common.Views.Comments.textCancel": "Cancel·lar", "Common.Views.Comments.textClose": "Tancar", @@ -106,11 +198,13 @@ "Common.Views.EditNameDialog.textLabel": "Etiqueta:", "Common.Views.EditNameDialog.textLabelError": "La etiqueta no pot estar buida.", "Common.Views.Header.labelCoUsersDescr": "Usuaris que editen el fitxer:", - "Common.Views.Header.textAdvSettings": "Configuració Avançada", + "Common.Views.Header.textAddFavorite": "Marcar com a favorit", + "Common.Views.Header.textAdvSettings": "Configuració avançada", "Common.Views.Header.textBack": "Obrir ubicació del arxiu", "Common.Views.Header.textCompactView": "Amagar la Barra d'Eines", "Common.Views.Header.textHideLines": "Amagar Regles", "Common.Views.Header.textHideStatusBar": "Amagar la Barra d'Estat", + "Common.Views.Header.textRemoveFavorite": "Elimina dels Favorits", "Common.Views.Header.textSaveBegin": "Desant...", "Common.Views.Header.textSaveChanged": "Modificat", "Common.Views.Header.textSaveEnd": "Tots els canvis guardats", @@ -145,10 +239,14 @@ "Common.Views.ListSettingsDialog.txtTitle": "Configuració de la Llista", "Common.Views.ListSettingsDialog.txtType": "Tipus", "Common.Views.OpenDialog.closeButtonText": "Tancar Arxiu", + "Common.Views.OpenDialog.textInvalidRange": "Interval de cel·les no vàlid", + "Common.Views.OpenDialog.textSelectData": "Seleccionar dades", "Common.Views.OpenDialog.txtAdvanced": "Avançat", "Common.Views.OpenDialog.txtColon": "Dos punts", "Common.Views.OpenDialog.txtComma": "Financier", "Common.Views.OpenDialog.txtDelimiter": "Delimitador", + "Common.Views.OpenDialog.txtDestData": "Trieu on posar les dades", + "Common.Views.OpenDialog.txtEmpty": "Aquest camp és obligatori", "Common.Views.OpenDialog.txtEncoding": "Codificació", "Common.Views.OpenDialog.txtIncorrectPwd": "La contrasenya es incorrecta.", "Common.Views.OpenDialog.txtOpenFile": "Introduïu una contrasenya per obrir el fitxer", @@ -195,6 +293,8 @@ "Common.Views.ReviewChanges.tipCoAuthMode": "Configura el mode de coedició", "Common.Views.ReviewChanges.tipCommentRem": "Esborrar comentaris", "Common.Views.ReviewChanges.tipCommentRemCurrent": "Esborrar comentaris actuals", + "Common.Views.ReviewChanges.tipCommentResolve": "Resoldre comentaris", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Resoldre comentaris actuals", "Common.Views.ReviewChanges.tipHistory": "Mostra l'historial de versions", "Common.Views.ReviewChanges.tipRejectCurrent": "Rebutjar canvi actual", "Common.Views.ReviewChanges.tipReview": "Control de Canvis", @@ -214,6 +314,11 @@ "Common.Views.ReviewChanges.txtCommentRemMy": "Esborrar els Meus Comentaris", "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Esborrar els meus actuals comentaris", "Common.Views.ReviewChanges.txtCommentRemove": "Esborrar", + "Common.Views.ReviewChanges.txtCommentResolve": "Resoldre", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Resoldre tots els comentaris", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Resoldre comentaris actuals", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Resoldre els Meus Comentaris", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Resoldre els Meus Comentaris Actuals", "Common.Views.ReviewChanges.txtDocLang": "Idioma", "Common.Views.ReviewChanges.txtFinal": "Tots el canvis acceptats (Previsualitzar)", "Common.Views.ReviewChanges.txtFinalCap": "Final", @@ -233,7 +338,7 @@ "Common.Views.ReviewChanges.txtTurnon": "Control de Canvis", "Common.Views.ReviewChanges.txtView": "Mode de Visualització", "Common.Views.ReviewPopover.textAdd": "Afegir", - "Common.Views.ReviewPopover.textAddReply": "Afegir una Resposta", + "Common.Views.ReviewPopover.textAddReply": "Afegir Resposta", "Common.Views.ReviewPopover.textCancel": "Cancel·lar", "Common.Views.ReviewPopover.textClose": "Tancar", "Common.Views.ReviewPopover.textEdit": "Acceptar", @@ -251,6 +356,7 @@ "Common.Views.SignDialog.textChange": "Canviar", "Common.Views.SignDialog.textInputName": "Posar nom de qui ho firma", "Common.Views.SignDialog.textItalic": "Itàlica", + "Common.Views.SignDialog.textNameError": "El nom del signant no pot estar buit.", "Common.Views.SignDialog.textPurpose": "Finalitat de signar aquest document", "Common.Views.SignDialog.textSelect": "Seleccionar", "Common.Views.SignDialog.textSelectImage": "Seleccionar Imatge", @@ -283,7 +389,7 @@ "Common.Views.SymbolTableDialog.textNBHyphen": "Guionet no trencador", "Common.Views.SymbolTableDialog.textNBSpace": "Espai sense pauses", "Common.Views.SymbolTableDialog.textPilcrow": "Cartell Indicatiu", - "Common.Views.SymbolTableDialog.textQEmSpace": "1/4 Em Espai", + "Common.Views.SymbolTableDialog.textQEmSpace": "1/4 Espai llarg", "Common.Views.SymbolTableDialog.textRange": "Rang", "Common.Views.SymbolTableDialog.textRecent": "Símbols utilitzats recentment", "Common.Views.SymbolTableDialog.textRegistered": "Registre Registrat", @@ -296,10 +402,20 @@ "Common.Views.SymbolTableDialog.textSymbols": "Símbols", "Common.Views.SymbolTableDialog.textTitle": "Símbol", "Common.Views.SymbolTableDialog.textTradeMark": "Símbol de Marca Comercial", + "Common.Views.UserNameDialog.textDontShow": "No em tornis a preguntar", + "Common.Views.UserNameDialog.textLabel": "Etiqueta:", + "Common.Views.UserNameDialog.textLabelError": "L'etiqueta no pot estar en blanc.", + "SSE.Controllers.DataTab.textColumns": "Columnes", + "SSE.Controllers.DataTab.textEmptyUrl": "Heu d'especificar l'URL.", + "SSE.Controllers.DataTab.textRows": "Files", "SSE.Controllers.DataTab.textWizard": "Text en Columnes", + "SSE.Controllers.DataTab.txtDataValidation": "Validació de dades", "SSE.Controllers.DataTab.txtExpand": "Ampliar", "SSE.Controllers.DataTab.txtExpandRemDuplicates": "Les dades al costat de la selecció no se suprimiran. Voleu ampliar la selecció per incloure les dades adjacents o continuar només amb les cel·les actualment seleccionades?", + "SSE.Controllers.DataTab.txtExtendDataValidation": "La selecció conté algunes cel·les sense la configuració de validació de dades.
Vols ampliar la validació de dades a aquestes cel·les?", + "SSE.Controllers.DataTab.txtImportWizard": "Assistent per Importar Text", "SSE.Controllers.DataTab.txtRemDuplicates": "Eliminar els Duplicats", + "SSE.Controllers.DataTab.txtRemoveDataValidation": "La selecció conté més d'un tipus de validació.
Esborrar la configuració actual i continua?", "SSE.Controllers.DataTab.txtRemSelected": "Eliminar les opcions seleccionades", "SSE.Controllers.DocumentHolder.alignmentText": "Alineació", "SSE.Controllers.DocumentHolder.centerText": "Centre", @@ -316,12 +432,14 @@ "SSE.Controllers.DocumentHolder.leftText": "Esquerra", "SSE.Controllers.DocumentHolder.notcriticalErrorTitle": "Avis", "SSE.Controllers.DocumentHolder.rightText": "Dreta", + "SSE.Controllers.DocumentHolder.textAutoCorrectSettings": "Opcions de correcció automàtica", "SSE.Controllers.DocumentHolder.textChangeColumnWidth": "Amplada de la columna {0} símbols ({1} píxels)", "SSE.Controllers.DocumentHolder.textChangeRowHeight": "Alçada de fila {0} punts ({1} píxels)", "SSE.Controllers.DocumentHolder.textCtrlClick": "Feu clic a l'enllaç per obrir-lo o feu clic i manteniu premut el botó del ratolí per seleccionar la cel·la.", "SSE.Controllers.DocumentHolder.textInsertLeft": "Inserir a l'esquerra", "SSE.Controllers.DocumentHolder.textInsertTop": "Inserir A dalt", "SSE.Controllers.DocumentHolder.textPasteSpecial": "Pegar especial", + "SSE.Controllers.DocumentHolder.textStopExpand": "Aturar l'expansió automàtica de les taules", "SSE.Controllers.DocumentHolder.textSym": "sym", "SSE.Controllers.DocumentHolder.tipIsLocked": "Un altre usuari està editant aquest element.", "SSE.Controllers.DocumentHolder.txtAboveAve": "Per sobre de la mitja", @@ -339,7 +457,7 @@ "SSE.Controllers.DocumentHolder.txtAnd": "i", "SSE.Controllers.DocumentHolder.txtBegins": "Comença amb", "SSE.Controllers.DocumentHolder.txtBelowAve": "Per sota de la mitja", - "SSE.Controllers.DocumentHolder.txtBlanks": "(Buits)", + "SSE.Controllers.DocumentHolder.txtBlanks": "(En blanc)", "SSE.Controllers.DocumentHolder.txtBorderProps": "Propietats Vora", "SSE.Controllers.DocumentHolder.txtBottom": "Inferior", "SSE.Controllers.DocumentHolder.txtColumn": "Columna", @@ -456,7 +574,7 @@ "SSE.Controllers.FormulaDialog.sCategoryEngineering": "Enginyeria", "SSE.Controllers.FormulaDialog.sCategoryFinancial": "Financer", "SSE.Controllers.FormulaDialog.sCategoryInformation": "Informació", - "SSE.Controllers.FormulaDialog.sCategoryLast10": "10 per última vegada utilitzats", + "SSE.Controllers.FormulaDialog.sCategoryLast10": "10 darrers utilitzats", "SSE.Controllers.FormulaDialog.sCategoryLogical": "Lògic", "SSE.Controllers.FormulaDialog.sCategoryLookupAndReference": "Busca i Referència", "SSE.Controllers.FormulaDialog.sCategoryMathematic": "Matemàtiques i trigonometria", @@ -497,6 +615,7 @@ "SSE.Controllers.Main.errorBadImageUrl": "Enllaç de la Imatge Incorrecte", "SSE.Controllers.Main.errorCannotUngroup": "No es pot desagrupar. Per iniciar un esquema, seleccioneu les files o columnes de detall i agrupeu-les.", "SSE.Controllers.Main.errorChangeArray": "No podeu canviar part d'una matriu.", + "SSE.Controllers.Main.errorChangeFilteredRange": "Això canviarà un interval filtrat al vostre full de càlcul.
Per completar aquesta tasca, si us plau, elimineu els Filtres Automàtics.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "S'ha perdut la connexió amb el servidor. El document no es pot editar ara mateix.", "SSE.Controllers.Main.errorConnectToServer": "El document no s'ha pogut desar. Comproveu la configuració de la connexió o poseu-vos en contacte amb l'administrador.
Quan feu clic al botó \"D'acord\", se us demanarà que descarregueu el document.", "SSE.Controllers.Main.errorCopyMultiselectArea": "Aquesta ordre no es pot utilitzar amb diverses seleccions.
Seleccioneu un únic rang i proveu-ho de nou.", @@ -541,14 +660,18 @@ "SSE.Controllers.Main.errorOpenWarning": "La longitud d'una de les fórmules del fitxer ha excedit el límit de 8192 caràcters permès.
La formula s'ha esborrat.", "SSE.Controllers.Main.errorOperandExpected": "La sintaxi de la funció introduïda no és correcta. Comproveu si us falta un dels parèntesis - '(' o ')'.", "SSE.Controllers.Main.errorPasteMaxRange": "L’àrea de còpia i enganxa no coincideix.
Seleccioneu una àrea amb la mateixa mida o feu clic a la primera cel·la d’una fila per enganxar les cel·les copiades.", + "SSE.Controllers.Main.errorPasteMultiSelect": "Aquesta acció no es pot fer en una selecció de rang múltiple.
Selecciona un interval únic i torna-ho a provar.", "SSE.Controllers.Main.errorPasteSlicerError": "Les segmentacions de taules no es poden copiar d’un llibre a un altre.", + "SSE.Controllers.Main.errorPivotGroup": "No es pot agrupar aquesta selecció.", "SSE.Controllers.Main.errorPivotOverlap": "Un informe de la taula de pivot no pot sobreposar-se a una taula.", + "SSE.Controllers.Main.errorPivotWithoutUnderlying": "L'informe Taula dinàmica s'ha desat sense les dades subjacents.
Utilitzeu el botó «Refresca» per actualitzar l'informe.", "SSE.Controllers.Main.errorPrintMaxPagesCount": "Malauradament, no és possible imprimir més de 1500 pàgines a la vegada en la versió actual del programa.
Aquesta restricció serà eliminada en les properes versions.", "SSE.Controllers.Main.errorProcessSaveResult": "Desament Fallit", "SSE.Controllers.Main.errorServerVersion": "S'ha actualitzat la versió de l'editor. Es tornarà a carregar la pàgina per aplicar els canvis.", "SSE.Controllers.Main.errorSessionAbsolute": "La sessió d’edició del document ha caducat. Torneu a carregar la pàgina.", "SSE.Controllers.Main.errorSessionIdle": "El document no s’ha editat des de fa temps. Torneu a carregar la pàgina.", "SSE.Controllers.Main.errorSessionToken": "S'ha interromput la connexió amb el servidor. Torneu a carregar la pàgina.", + "SSE.Controllers.Main.errorSetPassword": "No s'ha pogut establir la contrasenya.", "SSE.Controllers.Main.errorStockChart": "Ordre de fila incorrecte. 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.", "SSE.Controllers.Main.errorToken": "El testimoni de seguretat del document no està format correctament.
Contacteu l'administrador del servidor de documents.", "SSE.Controllers.Main.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacteu amb l'administrador del Document Server.", @@ -562,6 +685,7 @@ "SSE.Controllers.Main.errorWrongOperator": "Error en la fórmula introduïda. S'utilitza un operador incorrecte.
Corregiu l'error.", "SSE.Controllers.Main.errRemDuplicates": "Duplica els valors trobats i suprimits: {0}, resten valors únics: {1}.", "SSE.Controllers.Main.leavePageText": "Heu fet canvis no guardats en aquest full de càlcul. Feu clic a \"Continua en aquesta pàgina\" i \"Desa\" per desar-les. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", + "SSE.Controllers.Main.leavePageTextOnClose": "Es perdran tots els canvis no desats en aquest full de càlcul.
Feu clic a «Cancel·la» i després a «Desa» per desar-los. Feu clic a \"D'acord\" per descartar tots els canvis no desats.", "SSE.Controllers.Main.loadFontsTextText": "Carregant dades...", "SSE.Controllers.Main.loadFontsTitleText": "Carregant Dades", "SSE.Controllers.Main.loadFontTextText": "Carregant dades...", @@ -582,6 +706,7 @@ "SSE.Controllers.Main.requestEditFailedMessageText": "Algú està editant aquest document ara mateix. Si us plau, intenta-ho més tard.", "SSE.Controllers.Main.requestEditFailedTitleText": "Accés denegat", "SSE.Controllers.Main.saveErrorText": "S'ha produït un error en desar el fitxer.", + "SSE.Controllers.Main.saveErrorTextDesktop": "Aquest fitxer no es pot desar o crear.
Les raons possibles són:
1. El fitxer és de només lectura.
2. El fitxer està sent editat per altres usuaris.
3. El disc està ple o corromput.", "SSE.Controllers.Main.savePreparingText": "Preparant per guardar", "SSE.Controllers.Main.savePreparingTitle": "Preparant per guardar. Si us plau, esperi", "SSE.Controllers.Main.saveTextText": "Desant el full de càlcul...", @@ -594,17 +719,22 @@ "SSE.Controllers.Main.textConfirm": "Confirmació", "SSE.Controllers.Main.textContactUs": "Contacte de Vendes", "SSE.Controllers.Main.textCustomLoader": "Tingueu en compte que, segons els termes de la llicència, no teniu dret a canviar el carregador.
Consulteu el nostre departament de vendes per obtenir un pressupost.", + "SSE.Controllers.Main.textGuest": "Convidat", "SSE.Controllers.Main.textHasMacros": "El fitxer conté macros automàtiques.
Voleu executar macros?", "SSE.Controllers.Main.textLoadingDocument": "Carregant full de càlcul", + "SSE.Controllers.Main.textLongName": "Introduïu un nom de menys de 128 caràcters.", "SSE.Controllers.Main.textNo": "No", "SSE.Controllers.Main.textNoLicenseTitle": "Heu arribat al límit de la licència", "SSE.Controllers.Main.textPaidFeature": "Funció de Pagament", "SSE.Controllers.Main.textPleaseWait": "L’operació pot trigar més temps del previst. Espereu...", "SSE.Controllers.Main.textRecalcFormulas": "Calculant formules...", - "SSE.Controllers.Main.textRemember": "Recorda la meva elecció", + "SSE.Controllers.Main.textRemember": "Recordar la meva elecció per a tots els fitxers", + "SSE.Controllers.Main.textRenameError": "El nom d'usuari no pot estar buit.", + "SSE.Controllers.Main.textRenameLabel": "Introduïu un nom per a la col·laboració", "SSE.Controllers.Main.textShape": "Forma", "SSE.Controllers.Main.textStrict": "Mode estricte", "SSE.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-lo ells. Podeu canviar entre els modes de coedició mitjançant l'editor Paràmetres avançats.", + "SSE.Controllers.Main.textTryUndoRedoWarn": "Les funcions Desfer/Refer estan desactivades per al mode de coedició ràpida.", "SSE.Controllers.Main.textYes": "Sí", "SSE.Controllers.Main.titleLicenseExp": "Llicència Caducada", "SSE.Controllers.Main.titleRecalcFormulas": "Calculant...", @@ -623,22 +753,31 @@ "SSE.Controllers.Main.txtColumn": "Columna", "SSE.Controllers.Main.txtConfidential": "Confidencial", "SSE.Controllers.Main.txtDate": "Data", + "SSE.Controllers.Main.txtDays": "Dies", "SSE.Controllers.Main.txtDiagramTitle": "Títol del Gràfic", "SSE.Controllers.Main.txtEditingMode": "Establir el mode d'edició ...", "SSE.Controllers.Main.txtFiguredArrows": "Fletxes Figurades", "SSE.Controllers.Main.txtFile": "Fitxer", "SSE.Controllers.Main.txtGrandTotal": "Total General", + "SSE.Controllers.Main.txtGroup": "Grup", + "SSE.Controllers.Main.txtHours": "hores", "SSE.Controllers.Main.txtLines": "Línies", "SSE.Controllers.Main.txtMath": "Matemàtiques", + "SSE.Controllers.Main.txtMinutes": "Minuts", + "SSE.Controllers.Main.txtMonths": "Mesos", "SSE.Controllers.Main.txtMultiSelect": "Selecció Múltiple (Alt+S)", + "SSE.Controllers.Main.txtOr": "%1 o %2", "SSE.Controllers.Main.txtPage": "Pàgina", "SSE.Controllers.Main.txtPageOf": "Pàgina %1 de %2", "SSE.Controllers.Main.txtPages": "Pàgines", "SSE.Controllers.Main.txtPreparedBy": "Preparat per", "SSE.Controllers.Main.txtPrintArea": "Àrea d'Impressió", + "SSE.Controllers.Main.txtQuarter": "Qtr", + "SSE.Controllers.Main.txtQuarters": "Trimestres", "SSE.Controllers.Main.txtRectangles": "Rectangles", "SSE.Controllers.Main.txtRow": "Fila", "SSE.Controllers.Main.txtRowLbls": "Etiquetes de Fila", + "SSE.Controllers.Main.txtSeconds": "Segons", "SSE.Controllers.Main.txtSeries": "Serie", "SSE.Controllers.Main.txtShape_accentBorderCallout1": "Trucada amb Línia 1 (Vora i Barra d'Èmfasis)", "SSE.Controllers.Main.txtShape_accentBorderCallout2": "Trucada amb Línia 2 (Vora i Barra d'Èmfasis)", @@ -786,16 +925,16 @@ "SSE.Controllers.Main.txtShape_snip2SameRect": "Retallar Rectangle de la cantonada del mateix costat", "SSE.Controllers.Main.txtShape_snipRoundRect": "Retallar i Rondejar rectangle de cantonada senzilla", "SSE.Controllers.Main.txtShape_spline": "Corba", - "SSE.Controllers.Main.txtShape_star10": "10-Punt Principal", - "SSE.Controllers.Main.txtShape_star12": "12-Punt Principal", - "SSE.Controllers.Main.txtShape_star16": "16-Punt Principal", - "SSE.Controllers.Main.txtShape_star24": "24-Punt Principal", - "SSE.Controllers.Main.txtShape_star32": "32-Punt Principal", - "SSE.Controllers.Main.txtShape_star4": "4-Punt Principal", - "SSE.Controllers.Main.txtShape_star5": "5-Punt Principal", - "SSE.Controllers.Main.txtShape_star6": "6-Punt Principal", - "SSE.Controllers.Main.txtShape_star7": "7-Punt Principal", - "SSE.Controllers.Main.txtShape_star8": "8-Punt Principal", + "SSE.Controllers.Main.txtShape_star10": "Estrella de 10 puntes", + "SSE.Controllers.Main.txtShape_star12": "Estrella de 12 puntes", + "SSE.Controllers.Main.txtShape_star16": "Estrella de 16 puntes", + "SSE.Controllers.Main.txtShape_star24": "Estrella de 24 puntes", + "SSE.Controllers.Main.txtShape_star32": "Estrella de 32 puntes", + "SSE.Controllers.Main.txtShape_star4": "Estrella de 4 puntes", + "SSE.Controllers.Main.txtShape_star5": "Estrella de 5 puntes", + "SSE.Controllers.Main.txtShape_star6": "Estrella de 6 puntes", + "SSE.Controllers.Main.txtShape_star7": "Estrella de 7 puntes", + "SSE.Controllers.Main.txtShape_star8": "Estrella de 8 puntes", "SSE.Controllers.Main.txtShape_stripedRightArrow": "Fletxa a la dreta amb bandes", "SSE.Controllers.Main.txtShape_sun": "Sol", "SSE.Controllers.Main.txtShape_teardrop": "Llàgrima", @@ -839,11 +978,12 @@ "SSE.Controllers.Main.txtValues": "Valors", "SSE.Controllers.Main.txtXAxis": "Eix X", "SSE.Controllers.Main.txtYAxis": "Eix Y", + "SSE.Controllers.Main.txtYears": "Anys", "SSE.Controllers.Main.unknownErrorText": "Error Desconegut.", "SSE.Controllers.Main.unsupportedBrowserErrorText": "El vostre navegador no és compatible.", "SSE.Controllers.Main.uploadImageExtMessage": "Format imatge desconegut.", "SSE.Controllers.Main.uploadImageFileCountMessage": "No hi ha imatges pujades.", - "SSE.Controllers.Main.uploadImageSizeMessage": "Superat el límit de mida de la imatge màxima.", + "SSE.Controllers.Main.uploadImageSizeMessage": "La imatge és massa gran. La mida màxima és de 25 MB.", "SSE.Controllers.Main.uploadImageTextText": "Pujant imatge...", "SSE.Controllers.Main.uploadImageTitleText": "Pujant Imatge", "SSE.Controllers.Main.waitText": "Si us plau, esperi...", @@ -851,6 +991,8 @@ "SSE.Controllers.Main.warnBrowserZoom": "La configuració del zoom actual del navegador no és totalment compatible. Restabliu el zoom per defecte prement Ctrl+0.", "SSE.Controllers.Main.warnLicenseExceeded": "S'ha superat el nombre de connexions simultànies al servidor de documents i el document s'obrirà només per a la seva visualització.
Contacteu l'administrador per obtenir més informació.", "SSE.Controllers.Main.warnLicenseExp": "La seva llicencia ha caducat.
Si us plau, actualitzi la llicencia i recarregui la pàgina.", + "SSE.Controllers.Main.warnLicenseLimitedNoAccess": "La llicència ha caducat.
No teniu accés a la funcionalitat d'edició de documents.
Contacteu amb l'administrador.", + "SSE.Controllers.Main.warnLicenseLimitedRenewed": "Cal renovar la llicència.
Teniu un accés limitat a la funcionalitat d'edició de documents.
Contacteu amb l'administrador per obtenir accés complet", "SSE.Controllers.Main.warnLicenseUsersExceeded": "S'ha superat el nombre d'usuaris concurrents i el document s'obrirà només per a la seva visualització.
Per més informació, poseu-vos en contacte amb l'administrador.", "SSE.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.", "SSE.Controllers.Main.warnNoLicenseUsers": "Heu arribat al límit d'usuaris concurrents per a editors %1.
Contactau l'equip de vendes per als termes de millora personal dels vostres serveis.", @@ -871,16 +1013,20 @@ "SSE.Controllers.Statusbar.errorRemoveSheet": "No es pot suprimir el full de treball.", "SSE.Controllers.Statusbar.strSheet": "Full", "SSE.Controllers.Statusbar.textSheetViewTip": "Esteu 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 estan en aquesta visualització.", + "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Esteu en mode de vista del full. Els filtres només són visibles per a vós i per a aquells que encara estan en aquesta vista.", "SSE.Controllers.Statusbar.warnDeleteSheet": "Els fulls de treball seleccionats poden contenir dades. Esteu segur que voleu continuar?", "SSE.Controllers.Statusbar.zoomText": "Zoom {0}%", "SSE.Controllers.Toolbar.confirmAddFontName": "El tipus de lletra que guardareu 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 ?", + "SSE.Controllers.Toolbar.errorComboSeries": "Per crear un diagrama combinat, seleccioneu almenys dues sèries de dades.", "SSE.Controllers.Toolbar.errorMaxRows": "ERROR! El nombre màxim de sèries de dades per gràfic és de 255", "SSE.Controllers.Toolbar.errorStockChart": "Ordre de fila incorrecte. 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.", "SSE.Controllers.Toolbar.textAccent": "Accents", "SSE.Controllers.Toolbar.textBracket": "Claudàtor", + "SSE.Controllers.Toolbar.textDirectional": "Direccional", "SSE.Controllers.Toolbar.textFontSizeErr": "El valor introduït és incorrecte.
Introduïu un valor numèric entre 1 i 409", "SSE.Controllers.Toolbar.textFraction": "Fraccions", "SSE.Controllers.Toolbar.textFunction": "Funcions", + "SSE.Controllers.Toolbar.textIndicator": "Indicadors", "SSE.Controllers.Toolbar.textInsert": "Insertar", "SSE.Controllers.Toolbar.textIntegral": "Integrals", "SSE.Controllers.Toolbar.textLargeOperator": "Operadors Grans", @@ -890,7 +1036,9 @@ "SSE.Controllers.Toolbar.textOperator": "Operadors", "SSE.Controllers.Toolbar.textPivot": "Taula Clau", "SSE.Controllers.Toolbar.textRadical": "Radicals", + "SSE.Controllers.Toolbar.textRating": "Valoracions", "SSE.Controllers.Toolbar.textScript": "Índexs", + "SSE.Controllers.Toolbar.textShapes": "Formes", "SSE.Controllers.Toolbar.textSymbols": "Símbols", "SSE.Controllers.Toolbar.textWarning": "Avis", "SSE.Controllers.Toolbar.txtAccent_Accent": "Agut", @@ -906,7 +1054,7 @@ "SSE.Controllers.Toolbar.txtAccent_CurveBracketBot": "Clau Subjacent", "SSE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Clau Superposada", "SSE.Controllers.Toolbar.txtAccent_Custom_1": "Vector A", - "SSE.Controllers.Toolbar.txtAccent_Custom_2": "ABC amb barra", + "SSE.Controllers.Toolbar.txtAccent_Custom_2": "ABC amb barra a sobre", "SSE.Controllers.Toolbar.txtAccent_Custom_3": "x XOR i amb barra sobreposada", "SSE.Controllers.Toolbar.txtAccent_DDDot": "Tres punts", "SSE.Controllers.Toolbar.txtAccent_DDot": "Doble punt", @@ -1071,28 +1219,28 @@ "SSE.Controllers.Toolbar.txtLimitLog_LogBase": "Logaritme", "SSE.Controllers.Toolbar.txtLimitLog_Max": "Màxim", "SSE.Controllers.Toolbar.txtLimitLog_Min": "Mínim", - "SSE.Controllers.Toolbar.txtMatrix_1_2": "1x2 matriu buida", - "SSE.Controllers.Toolbar.txtMatrix_1_3": "1x3 matriu buida", - "SSE.Controllers.Toolbar.txtMatrix_2_1": "2x1 matriu buida", - "SSE.Controllers.Toolbar.txtMatrix_2_2": "2x2 matriu buida", + "SSE.Controllers.Toolbar.txtMatrix_1_2": "Matriu buida 1x2", + "SSE.Controllers.Toolbar.txtMatrix_1_3": "Matriu buida 1x3", + "SSE.Controllers.Toolbar.txtMatrix_2_1": "Matriu buida 2x1", + "SSE.Controllers.Toolbar.txtMatrix_2_2": "Matriu buida 2x2", "SSE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "Matriu buida amb claudàtors", "SSE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "Matriu buida amb claudàtors", "SSE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Matriu buida amb claudàtors", "SSE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Matriu buida amb claudàtors", - "SSE.Controllers.Toolbar.txtMatrix_2_3": "2x3 matriu buida", - "SSE.Controllers.Toolbar.txtMatrix_3_1": "3x1 matriu buida", - "SSE.Controllers.Toolbar.txtMatrix_3_2": "3x2 matriu buida", - "SSE.Controllers.Toolbar.txtMatrix_3_3": "3s3 matriu buida", + "SSE.Controllers.Toolbar.txtMatrix_2_3": "Matriu buida 2x3 ", + "SSE.Controllers.Toolbar.txtMatrix_3_1": "Matriu buida 3x1", + "SSE.Controllers.Toolbar.txtMatrix_3_2": "Matriu buida 3x2", + "SSE.Controllers.Toolbar.txtMatrix_3_3": "Matriu buida 3x3", "SSE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "Punts Subíndexs", "SSE.Controllers.Toolbar.txtMatrix_Dots_Center": "Punts en línia mitja", "SSE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Punts en diagonal", "SSE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "Punts Verticals", "SSE.Controllers.Toolbar.txtMatrix_Flat_Round": "Matriu escassa", "SSE.Controllers.Toolbar.txtMatrix_Flat_Square": "Matriu escassa", - "SSE.Controllers.Toolbar.txtMatrix_Identity_2": "2x2 matriu d’identitat", - "SSE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "3x3 matriu d’identitat", - "SSE.Controllers.Toolbar.txtMatrix_Identity_3": "3x3 matriu d’identitat", - "SSE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "3x3 matriu d’identitat", + "SSE.Controllers.Toolbar.txtMatrix_Identity_2": "Matriu d’identitat 2x2", + "SSE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "Matriu d’identitat 3x3", + "SSE.Controllers.Toolbar.txtMatrix_Identity_3": "Matriu d’identitat 3x3", + "SSE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "Matriu d’identitat 3x3", "SSE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "Fletxa dreta-esquerra inferior", "SSE.Controllers.Toolbar.txtOperator_ArrowD_Top": "Fletxa dreta-esquerra superior", "SSE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "Fletxa inferior cap a esquerra", @@ -1232,7 +1380,7 @@ "SSE.Views.AdvancedSeparatorDialog.textTitle": "Configuració Avançada", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Filtre Personalitzat", "SSE.Views.AutoFilterDialog.textAddSelection": "Afegiu la selecció actual al filtre", - "SSE.Views.AutoFilterDialog.textEmptyItem": "{Buits}", + "SSE.Views.AutoFilterDialog.textEmptyItem": "{En blanc}", "SSE.Views.AutoFilterDialog.textSelectAll": "Selecciona-ho tot ", "SSE.Views.AutoFilterDialog.textSelectAllResults": "Seleccionar Tots els Resultats de la Cerca", "SSE.Views.AutoFilterDialog.textWarning": "Avis", @@ -1284,15 +1432,23 @@ "SSE.Views.CellSettings.textBackground": "Color de Fons", "SSE.Views.CellSettings.textBorderColor": "Color", "SSE.Views.CellSettings.textBorders": "Estil de la Vora", + "SSE.Views.CellSettings.textClearRule": "Netejar les regles", "SSE.Views.CellSettings.textColor": "Omplir de Color", + "SSE.Views.CellSettings.textColorScales": "Escala de color", + "SSE.Views.CellSettings.textCondFormat": "Format condicional", "SSE.Views.CellSettings.textControl": "Control de Text", + "SSE.Views.CellSettings.textDataBars": "Barra de Dades", "SSE.Views.CellSettings.textDirection": "Direcció", "SSE.Views.CellSettings.textFill": "Omplir", "SSE.Views.CellSettings.textForeground": "Color de Primer Pla", "SSE.Views.CellSettings.textGradient": "Punts de Degradat", "SSE.Views.CellSettings.textGradientColor": "Color", "SSE.Views.CellSettings.textGradientFill": "Omplir Degradat", + "SSE.Views.CellSettings.textIndent": "Sagnat", + "SSE.Views.CellSettings.textItems": "Elements", "SSE.Views.CellSettings.textLinear": "Lineal", + "SSE.Views.CellSettings.textManageRule": "Gestionar Regles", + "SSE.Views.CellSettings.textNewRule": "Nova regla", "SSE.Views.CellSettings.textNoFill": "Sense Omplir", "SSE.Views.CellSettings.textOrientation": "Orientació del Text", "SSE.Views.CellSettings.textPattern": "Patró", @@ -1300,6 +1456,10 @@ "SSE.Views.CellSettings.textPosition": "Posició", "SSE.Views.CellSettings.textRadial": "Radial", "SSE.Views.CellSettings.textSelectBorders": "Seleccioneu les vores que vulgueu canviar aplicant l'estil escollit anteriorment", + "SSE.Views.CellSettings.textSelection": "Des de la selecció actual", + "SSE.Views.CellSettings.textThisPivot": "Des d'aquesta taula pivot", + "SSE.Views.CellSettings.textThisSheet": "Des d'aquest full de treball", + "SSE.Views.CellSettings.textThisTable": "Des d'aquesta taula", "SSE.Views.CellSettings.tipAddGradientPoint": "Afegir punt de degradat", "SSE.Views.CellSettings.tipAll": "Establir el límit exterior i totes les línies interiors", "SSE.Views.CellSettings.tipBottom": "Establir només la vora inferior exterior", @@ -1355,6 +1515,7 @@ "SSE.Views.ChartSettings.strTemplate": "Plantilla", "SSE.Views.ChartSettings.textAdvanced": "Mostra la configuració avançada", "SSE.Views.ChartSettings.textBorderSizeErr": "El valor introduït és incorrecte.
Introduïu un valor entre 0 pt i 1584 pt.", + "SSE.Views.ChartSettings.textChangeType": "Canvia el tipus", "SSE.Views.ChartSettings.textChartType": "Canviar el tipus de gràfic", "SSE.Views.ChartSettings.textEditData": "Editar Dades i Ubicació", "SSE.Views.ChartSettings.textFirstPoint": "Primer Punt", @@ -1386,6 +1547,7 @@ "SSE.Views.ChartSettingsDlg.textAxisOptions": "Opcions de l’Eix", "SSE.Views.ChartSettingsDlg.textAxisPos": "Posició de l’Eix", "SSE.Views.ChartSettingsDlg.textAxisSettings": "Configuració de l’Eix", + "SSE.Views.ChartSettingsDlg.textAxisTitle": "Títol", "SSE.Views.ChartSettingsDlg.textBetweenTickMarks": "Entre Marques de Graduació", "SSE.Views.ChartSettingsDlg.textBillions": "Bilions", "SSE.Views.ChartSettingsDlg.textBottom": "Inferior", @@ -1403,12 +1565,15 @@ "SSE.Views.ChartSettingsDlg.textEmptyLine": "Connectar punts de dades amb línies", "SSE.Views.ChartSettingsDlg.textFit": "Ajusta a Amplada", "SSE.Views.ChartSettingsDlg.textFixed": "Fixat", + "SSE.Views.ChartSettingsDlg.textFormat": "Format de l'etiqueta", "SSE.Views.ChartSettingsDlg.textGaps": "Bretxa", "SSE.Views.ChartSettingsDlg.textGridLines": "Quadrícules", "SSE.Views.ChartSettingsDlg.textGroup": "Agrupar sparkline", "SSE.Views.ChartSettingsDlg.textHide": "Amagar", + "SSE.Views.ChartSettingsDlg.textHideAxis": "Amagar eix", "SSE.Views.ChartSettingsDlg.textHigh": "Alt", "SSE.Views.ChartSettingsDlg.textHorAxis": "Eix Horitzontal", + "SSE.Views.ChartSettingsDlg.textHorAxisSec": "Eix Horitzontal secundari", "SSE.Views.ChartSettingsDlg.textHorizontal": "Horitzontal", "SSE.Views.ChartSettingsDlg.textHundredMil": "100 000 000", "SSE.Views.ChartSettingsDlg.textHundreds": "Centenars", @@ -1486,10 +1651,18 @@ "SSE.Views.ChartSettingsDlg.textUnits": "Unitats de Visualització", "SSE.Views.ChartSettingsDlg.textValue": "Valor", "SSE.Views.ChartSettingsDlg.textVertAxis": "Eix Vertical", + "SSE.Views.ChartSettingsDlg.textVertAxisSec": "Eix Vertical Secundari", "SSE.Views.ChartSettingsDlg.textXAxisTitle": "Títol Eix X", "SSE.Views.ChartSettingsDlg.textYAxisTitle": "Títol Eix Y", "SSE.Views.ChartSettingsDlg.textZero": "Zero", "SSE.Views.ChartSettingsDlg.txtEmpty": "Aquest camp és obligatori", + "SSE.Views.ChartTypeDialog.errorComboSeries": "Per crear un diagrama combinat, seleccioneu almenys dues sèries de dades.", + "SSE.Views.ChartTypeDialog.errorSecondaryAxis": "El tipus de diagrama seleccionat requereix l'eix secundari que utilitza un diagrama existent. Seleccioneu un altre tipus de diagrama.", + "SSE.Views.ChartTypeDialog.textSecondary": "Eix secundari", + "SSE.Views.ChartTypeDialog.textSeries": "Serie", + "SSE.Views.ChartTypeDialog.textStyle": "Estil", + "SSE.Views.ChartTypeDialog.textTitle": "Tipus de diagrama", + "SSE.Views.ChartTypeDialog.textType": "Tipus", "SSE.Views.CreatePivotDialog.textDataRange": "Interval de dades d'origen", "SSE.Views.CreatePivotDialog.textDestination": "Trieu on col·locar la taula", "SSE.Views.CreatePivotDialog.textExist": "Full de treball existent", @@ -1498,11 +1671,21 @@ "SSE.Views.CreatePivotDialog.textSelectData": "Seleccionar dades", "SSE.Views.CreatePivotDialog.textTitle": "Crear Taula Dinàmica", "SSE.Views.CreatePivotDialog.txtEmpty": "Aquest camp és obligatori", + "SSE.Views.CreateSparklineDialog.textDataRange": "Interval de dades d'origen", + "SSE.Views.CreateSparklineDialog.textDestination": "Trieu, on s'han de situar les sparklines", + "SSE.Views.CreateSparklineDialog.textInvalidRange": "Interval de cel·les no vàlid", + "SSE.Views.CreateSparklineDialog.textSelectData": "Seleccionar dades", + "SSE.Views.CreateSparklineDialog.textTitle": "Crear Sparklines", + "SSE.Views.CreateSparklineDialog.txtEmpty": "Aquest camp és obligatori", "SSE.Views.DataTab.capBtnGroup": "Agrupar", "SSE.Views.DataTab.capBtnTextCustomSort": "Classificació Personalitzada", + "SSE.Views.DataTab.capBtnTextDataValidation": "Validació de dades", "SSE.Views.DataTab.capBtnTextRemDuplicates": "Eliminar els Duplicats", "SSE.Views.DataTab.capBtnTextToCol": "Text en Columnes", "SSE.Views.DataTab.capBtnUngroup": "Des agrupar", + "SSE.Views.DataTab.capDataFromText": "Des de text/CSV", + "SSE.Views.DataTab.mniFromFile": "Obtenir Dades des de Fitxer", + "SSE.Views.DataTab.mniFromUrl": "Obtenir dades des de l'URL", "SSE.Views.DataTab.textBelow": "Sumar les files a sota del detall", "SSE.Views.DataTab.textClear": "Esborrar esquema", "SSE.Views.DataTab.textColumns": "Des agrupar columnes", @@ -1511,10 +1694,74 @@ "SSE.Views.DataTab.textRightOf": "Sumar les columnes a la dreta de detall", "SSE.Views.DataTab.textRows": "Des agrupar files", "SSE.Views.DataTab.tipCustomSort": "Classificació Personalitzada", + "SSE.Views.DataTab.tipDataFromText": "Obtenir dades des de fitxer Text/CSV", + "SSE.Views.DataTab.tipDataValidation": "Validació de dades", "SSE.Views.DataTab.tipGroup": "Agrupar rang de cel·les", "SSE.Views.DataTab.tipRemDuplicates": "Eliminar les files duplicades d'un full", "SSE.Views.DataTab.tipToColumns": "Separa el text de la cel·la en columnes", "SSE.Views.DataTab.tipUngroup": "Des agrupar rang de cel·les", + "SSE.Views.DataValidationDialog.errorFormula": "El valor actualment s’avalua com a error. Vols continuar?", + "SSE.Views.DataValidationDialog.errorInvalid": "El valor que heu introduït per al camp \"{0}\" no és vàlid.", + "SSE.Views.DataValidationDialog.errorInvalidDate": "La data que heu introduït per al camp \"{0}\" no és vàlida.", + "SSE.Views.DataValidationDialog.errorInvalidList": "L'origen de la llista ha de ser una llista delimitada, o una referència a una sola fila o columna.", + "SSE.Views.DataValidationDialog.errorInvalidTime": "El temps que heu introduït per al camp \"{0}\" no és vàlid.", + "SSE.Views.DataValidationDialog.errorMinGreaterMax": "El camp \"{1}\" ha de ser més gran o igual que el camp \"{0}\".", + "SSE.Views.DataValidationDialog.errorMustEnterBothValues": "Heu d'introduir un valor tant al camp \"{0}\" com al camp \"{1}\".", + "SSE.Views.DataValidationDialog.errorMustEnterValue": "Heu d'introduir un valor al camp \"{0}\".", + "SSE.Views.DataValidationDialog.errorNamedRange": "No es pot trobar l'interval amb nom que heu especificat.", + "SSE.Views.DataValidationDialog.errorNegativeTextLength": "Els valors negatius no es poden utilitzar en les condicions \"{0}\".", + "SSE.Views.DataValidationDialog.errorNotNumeric": "El camp \"{0}\" ha de ser un valor numèric, una expressió numèrica, o referir-se a una cel·la que contingui un valor numèric.", + "SSE.Views.DataValidationDialog.strError": "Avís d'error", + "SSE.Views.DataValidationDialog.strInput": "Missatge d'entrada", + "SSE.Views.DataValidationDialog.strSettings": "Configuració", + "SSE.Views.DataValidationDialog.textAlert": "Alerta", + "SSE.Views.DataValidationDialog.textAllow": "Permetre", + "SSE.Views.DataValidationDialog.textApply": "Aplica aquests canvis a totes les altres cel·les amb la mateixa configuració", + "SSE.Views.DataValidationDialog.textCellSelected": "Quan la cel·la estigui seleccionada, mostra aquest missatge d'entrada", + "SSE.Views.DataValidationDialog.textCompare": "Comparar amb", + "SSE.Views.DataValidationDialog.textData": "Dades", + "SSE.Views.DataValidationDialog.textEndDate": "Data final", + "SSE.Views.DataValidationDialog.textEndTime": "Hora final", + "SSE.Views.DataValidationDialog.textError": "Missatge d'error", + "SSE.Views.DataValidationDialog.textFormula": "Fórmula", + "SSE.Views.DataValidationDialog.textIgnore": "Ignora en blanc", + "SSE.Views.DataValidationDialog.textInput": "Missatge d'entrada", + "SSE.Views.DataValidationDialog.textMax": "Màxim", + "SSE.Views.DataValidationDialog.textMessage": "Missatge", + "SSE.Views.DataValidationDialog.textMin": "Mínim", + "SSE.Views.DataValidationDialog.textSelectData": "Seleccionar dades", + "SSE.Views.DataValidationDialog.textShowDropDown": "Mostrar la llista desplegable a la cel·la", + "SSE.Views.DataValidationDialog.textShowError": "Mostra l'alerta d'error després d'introduir dades no vàlides", + "SSE.Views.DataValidationDialog.textShowInput": "Mostra el missatge d'entrada quan se seleccioni la cel·la", + "SSE.Views.DataValidationDialog.textSource": "Font", + "SSE.Views.DataValidationDialog.textStartDate": "Data d'inici", + "SSE.Views.DataValidationDialog.textStartTime": "Hora d'inici", + "SSE.Views.DataValidationDialog.textStop": "Aturar", + "SSE.Views.DataValidationDialog.textStyle": "Estil", + "SSE.Views.DataValidationDialog.textTitle": "Títol", + "SSE.Views.DataValidationDialog.textUserEnters": "Quan l'usuari introdueix dades no vàlides, mostra aquesta alerta d'error", + "SSE.Views.DataValidationDialog.txtAny": "Qualsevol valor", + "SSE.Views.DataValidationDialog.txtBetween": "entre", + "SSE.Views.DataValidationDialog.txtDate": "Data", + "SSE.Views.DataValidationDialog.txtDecimal": "Decimal", + "SSE.Views.DataValidationDialog.txtElTime": "Temps transcorregut", + "SSE.Views.DataValidationDialog.txtEndDate": "Data Límit", + "SSE.Views.DataValidationDialog.txtEndTime": "Hora final", + "SSE.Views.DataValidationDialog.txtEqual": "Igual", + "SSE.Views.DataValidationDialog.txtGreaterThan": "més gran que", + "SSE.Views.DataValidationDialog.txtGreaterThanOrEqual": "més gran o igual a", + "SSE.Views.DataValidationDialog.txtLength": "Longitud", + "SSE.Views.DataValidationDialog.txtLessThan": "menor que", + "SSE.Views.DataValidationDialog.txtLessThanOrEqual": "menor o igual a", + "SSE.Views.DataValidationDialog.txtList": "Llista", + "SSE.Views.DataValidationDialog.txtNotBetween": "no entre", + "SSE.Views.DataValidationDialog.txtNotEqual": "No igual a", + "SSE.Views.DataValidationDialog.txtOther": "Altre", + "SSE.Views.DataValidationDialog.txtStartDate": "Data d'inici", + "SSE.Views.DataValidationDialog.txtStartTime": "Hora d'inici", + "SSE.Views.DataValidationDialog.txtTextLength": "Longitud del text", + "SSE.Views.DataValidationDialog.txtTime": "Hora", + "SSE.Views.DataValidationDialog.txtWhole": "Nombre sencer", "SSE.Views.DigitalFilterDialog.capAnd": "I", "SSE.Views.DigitalFilterDialog.capCondition1": "és igual", "SSE.Views.DigitalFilterDialog.capCondition10": "no acaba amb", @@ -1539,7 +1786,7 @@ "SSE.Views.DocumentHolder.advancedSlicerText": "Slicer Configuració Avançada", "SSE.Views.DocumentHolder.bottomCellText": "Alineació Inferior", "SSE.Views.DocumentHolder.bulletsText": "Vinyetes i Numeració", - "SSE.Views.DocumentHolder.centerCellText": "Alinear al Mig", + "SSE.Views.DocumentHolder.centerCellText": "Alineació al Mig", "SSE.Views.DocumentHolder.chartText": "Configuració Avançada del Gràfic", "SSE.Views.DocumentHolder.deleteColumnText": "Columna", "SSE.Views.DocumentHolder.deleteRowText": "Fila", @@ -1571,6 +1818,7 @@ "SSE.Views.DocumentHolder.textArrangeForward": "Portar Endavant", "SSE.Views.DocumentHolder.textArrangeFront": "Porta a Primer pla", "SSE.Views.DocumentHolder.textAverage": "Mitjana", + "SSE.Views.DocumentHolder.textBullets": "Vinyetes", "SSE.Views.DocumentHolder.textCount": "Contar", "SSE.Views.DocumentHolder.textCrop": "Retallar", "SSE.Views.DocumentHolder.textCropFill": "Omplir", @@ -1583,27 +1831,29 @@ "SSE.Views.DocumentHolder.textFromStorage": "Des d'Emmagatzematge", "SSE.Views.DocumentHolder.textFromUrl": "Des d'un Enllaç", "SSE.Views.DocumentHolder.textListSettings": "Configuració de la Llista", + "SSE.Views.DocumentHolder.textMacro": "Assignar Macro", "SSE.Views.DocumentHolder.textMax": "Max", "SSE.Views.DocumentHolder.textMin": "Min", "SSE.Views.DocumentHolder.textMore": "Més funcions", "SSE.Views.DocumentHolder.textMoreFormats": "Altres formats", "SSE.Views.DocumentHolder.textNone": "Cap", + "SSE.Views.DocumentHolder.textNumbering": "Numeració", "SSE.Views.DocumentHolder.textReplace": "Canviar imatge", "SSE.Views.DocumentHolder.textRotate": "Girar", "SSE.Views.DocumentHolder.textRotate270": "Girar 90° a l'esquerra", "SSE.Views.DocumentHolder.textRotate90": "Girar 90° a la dreta", "SSE.Views.DocumentHolder.textShapeAlignBottom": "Alineació Inferior", "SSE.Views.DocumentHolder.textShapeAlignCenter": "Centrar", - "SSE.Views.DocumentHolder.textShapeAlignLeft": "Alinear Esquerra", - "SSE.Views.DocumentHolder.textShapeAlignMiddle": "Alinear al Mig", - "SSE.Views.DocumentHolder.textShapeAlignRight": "Alinear Dreta", - "SSE.Views.DocumentHolder.textShapeAlignTop": "Alinear Superior", + "SSE.Views.DocumentHolder.textShapeAlignLeft": "Alineació Esquerra", + "SSE.Views.DocumentHolder.textShapeAlignMiddle": "Alineació al Mig", + "SSE.Views.DocumentHolder.textShapeAlignRight": "Alineació Dreta", + "SSE.Views.DocumentHolder.textShapeAlignTop": "Alineació Superior", "SSE.Views.DocumentHolder.textStdDev": "StdDev", "SSE.Views.DocumentHolder.textSum": "Suma", "SSE.Views.DocumentHolder.textUndo": "Desfer", "SSE.Views.DocumentHolder.textUnFreezePanes": "Descongelar Panells", "SSE.Views.DocumentHolder.textVar": "Var", - "SSE.Views.DocumentHolder.topCellText": "Alinear Superior", + "SSE.Views.DocumentHolder.topCellText": "Alineació Superior", "SSE.Views.DocumentHolder.txtAccounting": "Comptabilitat", "SSE.Views.DocumentHolder.txtAddComment": "Afegir Comentari", "SSE.Views.DocumentHolder.txtAddNamedRange": "Definiu el Nom", @@ -1625,6 +1875,7 @@ "SSE.Views.DocumentHolder.txtCurrency": "Moneda", "SSE.Views.DocumentHolder.txtCustomColumnWidth": "Amplada de Columna Personalitzada", "SSE.Views.DocumentHolder.txtCustomRowHeight": "Alçada de Fila Personalitzada", + "SSE.Views.DocumentHolder.txtCustomSort": "Ordenació personalitzada", "SSE.Views.DocumentHolder.txtCut": "Tallar", "SSE.Views.DocumentHolder.txtDate": "Data", "SSE.Views.DocumentHolder.txtDelete": "Esborra", @@ -1663,7 +1914,7 @@ "SSE.Views.DocumentHolder.txtSortFontColor": "Color de la Font Seleccionada a la part superior", "SSE.Views.DocumentHolder.txtSparklines": "Sparklines", "SSE.Views.DocumentHolder.txtText": "Text", - "SSE.Views.DocumentHolder.txtTextAdvanced": "Configuració Avançada de Text", + "SSE.Views.DocumentHolder.txtTextAdvanced": "Configuració Avançada del Paràgraf", "SSE.Views.DocumentHolder.txtTime": "Hora", "SSE.Views.DocumentHolder.txtUngroup": "Des agrupar", "SSE.Views.DocumentHolder.txtWidth": "Amplada", @@ -1756,6 +2007,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Activa la visualització dels comentaris resolts", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Separador", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Estricte", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Tema de la interfície", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Separador de milers", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "Unitat de Mesura", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUseSeparatorsBasedOnRegionalSettings": "Utilitzeu separadors en funció de la configuració regional", @@ -1767,30 +2019,54 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "Auto recuperació", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "Guardar Automàticament", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Desactivat", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Desar al Servidor", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Desant versions intermèdies", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Cada Minut", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Estil de Referència", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBe": "Bielorús", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBg": "Búlgar", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCa": "Català", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCacheMode": "Mode de memòria cau per defecte", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Centímetre", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCs": "Txec", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDa": "Danès", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "Alemany", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEl": "Grec", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "Anglès", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEs": "Castellà", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFi": "Finlandès", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "Francès", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtHu": "Hongarès", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtId": "Indonesi", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Polzada", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italià", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japonès", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Coreà", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Visualització de Comentaris", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Lao", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Letó", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "a OS X", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Natiu", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNb": "Noruec", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNl": "Holandès", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Polonès", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Punt", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "Portuguès", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRo": "Romanès", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Rus", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacros": "Activa Tot", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacrosDesc": "Habiliteu totes les macros sense una notificació", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSk": "Eslovac", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSl": "Eslovè", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacros": "Inhabilita tot", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacrosDesc": "Desactiveu totes les macros sense una notificació", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSv": "Suec", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtTr": "Turc", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtUk": "Ucraïnès", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtVi": "Vietnamita", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacros": "Mostra la Notificació", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Desactiveu totes les macros amb una notificació", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "a Windows", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Xinès", "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Aplicar", "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Diccionari Idioma", "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Ignorar les paraules a UPPERCASE", @@ -1811,9 +2087,152 @@ "SSE.Views.FileMenuPanels.Settings.txtGeneral": "General", "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Configuració de la Pàgina", "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Comprovació Ortogràfica", + "SSE.Views.FormatRulesEditDlg.fillColor": "Color d'emplenament", + "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Avís", + "SSE.Views.FormatRulesEditDlg.text2Scales": "Escala de 2 colors", + "SSE.Views.FormatRulesEditDlg.text3Scales": "Escala de 3 colors", + "SSE.Views.FormatRulesEditDlg.textAllBorders": "Totes les Vores", + "SSE.Views.FormatRulesEditDlg.textAppearance": "Aparença de la barra", + "SSE.Views.FormatRulesEditDlg.textApply": "Aplicar a l'interval", + "SSE.Views.FormatRulesEditDlg.textAutomatic": "Automàtic", + "SSE.Views.FormatRulesEditDlg.textAxis": "Eix", + "SSE.Views.FormatRulesEditDlg.textBarDirection": "Direcció de la barra", + "SSE.Views.FormatRulesEditDlg.textBold": "Negreta", + "SSE.Views.FormatRulesEditDlg.textBorder": "Vora", + "SSE.Views.FormatRulesEditDlg.textBordersColor": "Color de les vores", + "SSE.Views.FormatRulesEditDlg.textBordersStyle": "Estil de Vora", + "SSE.Views.FormatRulesEditDlg.textBottomBorders": "Vores inferiors", + "SSE.Views.FormatRulesEditDlg.textCannotAddCF": "No es pot afegir el format condicional.", + "SSE.Views.FormatRulesEditDlg.textCellMidpoint": "Punt mitjà de cel·la", + "SSE.Views.FormatRulesEditDlg.textCenterBorders": "Vores Verticals Internes", + "SSE.Views.FormatRulesEditDlg.textClear": "Netejar", + "SSE.Views.FormatRulesEditDlg.textColor": "Color de text", + "SSE.Views.FormatRulesEditDlg.textContext": "Context", + "SSE.Views.FormatRulesEditDlg.textCustom": "Personalitzat", + "SSE.Views.FormatRulesEditDlg.textDiagDownBorder": "Vora Diagonal Descendent", + "SSE.Views.FormatRulesEditDlg.textDiagUpBorder": "Vora Diagonal Ascendent", + "SSE.Views.FormatRulesEditDlg.textEmptyFormula": "Introduïu una fórmula vàlida.", + "SSE.Views.FormatRulesEditDlg.textEmptyFormulaExt": "La fórmula que heu introduït no avalua un número, data, hora o cadena.", + "SSE.Views.FormatRulesEditDlg.textEmptyText": "Introduïu un valor.", + "SSE.Views.FormatRulesEditDlg.textEmptyValue": "El valor que heu introduït no és un número, data, hora o cadena vàlids.", + "SSE.Views.FormatRulesEditDlg.textErrorGreater": "El valor per al {0} ha de ser més gran que el valor per al {1}.", + "SSE.Views.FormatRulesEditDlg.textErrorTop10Between": "Introduïu un número entre {0} i {1}.", + "SSE.Views.FormatRulesEditDlg.textFill": "Omplir", + "SSE.Views.FormatRulesEditDlg.textFormat": "Format", + "SSE.Views.FormatRulesEditDlg.textFormula": "Fórmula", + "SSE.Views.FormatRulesEditDlg.textGradient": "Degradat", + "SSE.Views.FormatRulesEditDlg.textIconLabel": "quan {0} {1} i", + "SSE.Views.FormatRulesEditDlg.textIconLabelFirst": "quan {0} {1}", + "SSE.Views.FormatRulesEditDlg.textIconLabelLast": "quan el valor és", + "SSE.Views.FormatRulesEditDlg.textIconsOverlap": "Un o més intervals de dades d'icones se solapen.
Ajusteu els valors de l'interval de dades de les icones de manera que no se superposin.", + "SSE.Views.FormatRulesEditDlg.textIconStyle": "Estil de la icona", + "SSE.Views.FormatRulesEditDlg.textInsideBorders": "Vores Internes", + "SSE.Views.FormatRulesEditDlg.textInvalid": "Interval de dades no vàlid.", + "SSE.Views.FormatRulesEditDlg.textInvalidRange": "ERROR! Interval de cel·les no vàlid", + "SSE.Views.FormatRulesEditDlg.textItalic": "Itàlica", + "SSE.Views.FormatRulesEditDlg.textItem": "Element", + "SSE.Views.FormatRulesEditDlg.textLeft2Right": "D'esquerra a dreta", + "SSE.Views.FormatRulesEditDlg.textLeftBorders": "Vores esquerra", + "SSE.Views.FormatRulesEditDlg.textLongBar": "barra més llarga", + "SSE.Views.FormatRulesEditDlg.textMaximum": "Màxim", + "SSE.Views.FormatRulesEditDlg.textMaxpoint": "Punt màxim", + "SSE.Views.FormatRulesEditDlg.textMiddleBorders": "Vores Horitzontals Internes", + "SSE.Views.FormatRulesEditDlg.textMidpoint": "Punt mitjà", + "SSE.Views.FormatRulesEditDlg.textMinimum": "Mínim", + "SSE.Views.FormatRulesEditDlg.textMinpoint": "Punt mínim", + "SSE.Views.FormatRulesEditDlg.textNegative": "Negatiu", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Afegir Nou Color Personalitzat", + "SSE.Views.FormatRulesEditDlg.textNoBorders": "Sense Vores", + "SSE.Views.FormatRulesEditDlg.textNone": "cap", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Un o més dels valors especificats no és un percentatge vàlid.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentageExt": "El valor {0} especificat no és un percentatge vàlid.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentile": "Un o més dels valors especificats no és un percentil vàlid.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentileExt": "El valor {0} especificat no és un percentil vàlid.", + "SSE.Views.FormatRulesEditDlg.textOutBorders": "Vores Exteriors", + "SSE.Views.FormatRulesEditDlg.textPercent": "Percentatge", + "SSE.Views.FormatRulesEditDlg.textPercentile": "Percentil", + "SSE.Views.FormatRulesEditDlg.textPosition": "Posició", + "SSE.Views.FormatRulesEditDlg.textPositive": "Positiu", + "SSE.Views.FormatRulesEditDlg.textPresets": "Preestablerts", + "SSE.Views.FormatRulesEditDlg.textPreview": "Vista prèvia", + "SSE.Views.FormatRulesEditDlg.textRelativeRef": "No podeu utilitzar referències relatives en criteris de format condicional per a escales de color, barres de dades i conjunts d'icones", + "SSE.Views.FormatRulesEditDlg.textReverse": "Ordre invers d'icones", + "SSE.Views.FormatRulesEditDlg.textRight2Left": "De dreta a esquerra", + "SSE.Views.FormatRulesEditDlg.textRightBorders": "Vores de la dreta", + "SSE.Views.FormatRulesEditDlg.textRule": "Regla", + "SSE.Views.FormatRulesEditDlg.textSameAs": "Igual que positiu", + "SSE.Views.FormatRulesEditDlg.textSelectData": "Seleccionar Dades", + "SSE.Views.FormatRulesEditDlg.textShortBar": "barra més curta", + "SSE.Views.FormatRulesEditDlg.textShowBar": "Mostra només la barra", + "SSE.Views.FormatRulesEditDlg.textShowIcon": "Mostra només la icona", + "SSE.Views.FormatRulesEditDlg.textSingleRef": "Aquest tipus de referència no es pot utilitzar en una fórmula de format condicional.
Canvia la referència a una única cel·la, o utilitza la referència amb una funció de full de càlcul, com ara =SUMA(A1:B5).", + "SSE.Views.FormatRulesEditDlg.textSolid": "Solid", + "SSE.Views.FormatRulesEditDlg.textStrikeout": "Ratllar", + "SSE.Views.FormatRulesEditDlg.textSubscript": "Subíndex", + "SSE.Views.FormatRulesEditDlg.textSuperscript": "Superíndex", + "SSE.Views.FormatRulesEditDlg.textTopBorders": "Vores Superiors", + "SSE.Views.FormatRulesEditDlg.textUnderline": "Subratllar", + "SSE.Views.FormatRulesEditDlg.tipBorders": "Vores", + "SSE.Views.FormatRulesEditDlg.tipNumFormat": "Format de Número", + "SSE.Views.FormatRulesEditDlg.txtAccounting": "Comptabilitat", + "SSE.Views.FormatRulesEditDlg.txtCurrency": "Moneda", + "SSE.Views.FormatRulesEditDlg.txtDate": "Data", + "SSE.Views.FormatRulesEditDlg.txtEmpty": "Aquest camp és obligatori", + "SSE.Views.FormatRulesEditDlg.txtFraction": "Fracció", + "SSE.Views.FormatRulesEditDlg.txtGeneral": "General", + "SSE.Views.FormatRulesEditDlg.txtNumber": "Número", + "SSE.Views.FormatRulesEditDlg.txtPercentage": "Percentatge", + "SSE.Views.FormatRulesEditDlg.txtScientific": "Científic", + "SSE.Views.FormatRulesEditDlg.txtText": "Text", + "SSE.Views.FormatRulesEditDlg.txtTime": "Hora", + "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Editar regla de format", + "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Nova regla de format", + "SSE.Views.FormatRulesManagerDlg.guestText": "Convidat", + "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.", + "SSE.Views.FormatRulesManagerDlg.text2Below": "2 per sota la mitjana de des. est.", + "SSE.Views.FormatRulesManagerDlg.text3Above": "3 per sobre la mitjana de des. est.", + "SSE.Views.FormatRulesManagerDlg.text3Below": "3 per sota la mitjana de des. est.", + "SSE.Views.FormatRulesManagerDlg.textAbove": "Per sobre de la mitja", + "SSE.Views.FormatRulesManagerDlg.textApply": "Aplicar a", + "SSE.Views.FormatRulesManagerDlg.textBeginsWith": "El valor de la cel·la comença amb", + "SSE.Views.FormatRulesManagerDlg.textBelow": "Per sota de la mitja", + "SSE.Views.FormatRulesManagerDlg.textBetween": "està entre {0} i {1}", + "SSE.Views.FormatRulesManagerDlg.textCellValue": "Valor de la cel·la", + "SSE.Views.FormatRulesManagerDlg.textColorScale": "Escala de color graduada", + "SSE.Views.FormatRulesManagerDlg.textContains": "El valor de la cel·la conté", + "SSE.Views.FormatRulesManagerDlg.textContainsBlank": "La cel·la conté un valor en blanc", + "SSE.Views.FormatRulesManagerDlg.textContainsError": "La cel·la conté un error", + "SSE.Views.FormatRulesManagerDlg.textDelete": "Suprimir", + "SSE.Views.FormatRulesManagerDlg.textDown": "Moure la regla avall", + "SSE.Views.FormatRulesManagerDlg.textDuplicate": "Valors duplicats", + "SSE.Views.FormatRulesManagerDlg.textEdit": "Editar", + "SSE.Views.FormatRulesManagerDlg.textEnds": "El valor de la cel·la acaba amb", + "SSE.Views.FormatRulesManagerDlg.textEqAbove": "Igual o superior a la mitjana", + "SSE.Views.FormatRulesManagerDlg.textEqBelow": "Igual o inferior a la mitjana", + "SSE.Views.FormatRulesManagerDlg.textFormat": "Format", + "SSE.Views.FormatRulesManagerDlg.textIconSet": "Conjunt d'icones", + "SSE.Views.FormatRulesManagerDlg.textNew": "Nou", + "SSE.Views.FormatRulesManagerDlg.textNotBetween": "no és entre {0} i {1}", + "SSE.Views.FormatRulesManagerDlg.textNotContains": "El valor de la cel·la no conté", + "SSE.Views.FormatRulesManagerDlg.textNotContainsBlank": "La cel·la no conté un valor en blanc", + "SSE.Views.FormatRulesManagerDlg.textNotContainsError": "La cel·la no conté cap error", + "SSE.Views.FormatRulesManagerDlg.textRules": "Regles", + "SSE.Views.FormatRulesManagerDlg.textScope": "Mostra les regles de format per a", + "SSE.Views.FormatRulesManagerDlg.textSelectData": "Seleccionar dades", + "SSE.Views.FormatRulesManagerDlg.textSelection": "Selecció actual", + "SSE.Views.FormatRulesManagerDlg.textThisPivot": "Aquesta taula pivot", + "SSE.Views.FormatRulesManagerDlg.textThisSheet": "Aquest full de càlcul", + "SSE.Views.FormatRulesManagerDlg.textThisTable": "Aquesta taula", + "SSE.Views.FormatRulesManagerDlg.textUnique": "Valors únics", + "SSE.Views.FormatRulesManagerDlg.textUp": "Moure la regla amunt", + "SSE.Views.FormatRulesManagerDlg.tipIsLocked": "Un altre usuari està editant aquest element.", + "SSE.Views.FormatRulesManagerDlg.txtTitle": "Format condicional", "SSE.Views.FormatSettingsDialog.textCategory": "Categoria", "SSE.Views.FormatSettingsDialog.textDecimal": "Decimal", "SSE.Views.FormatSettingsDialog.textFormat": "Format", + "SSE.Views.FormatSettingsDialog.textLinked": "Enllaçat al codi font", "SSE.Views.FormatSettingsDialog.textSeparator": "Utilitzeu separador de millars", "SSE.Views.FormatSettingsDialog.textSymbols": "Símbols", "SSE.Views.FormatSettingsDialog.textTitle": "Format de Número", @@ -1826,6 +2245,7 @@ "SSE.Views.FormatSettingsDialog.txtAs8": "Octaus (4/8)", "SSE.Views.FormatSettingsDialog.txtCurrency": "Moneda", "SSE.Views.FormatSettingsDialog.txtCustom": "Personalitzat", + "SSE.Views.FormatSettingsDialog.txtCustomWarning": "Introduïu el format numèric personalitzat amb cura. L'editor de fulls de càlcul no comprova els formats personalitzats per als errors que poden afectar el fitxer xlsx.", "SSE.Views.FormatSettingsDialog.txtDate": "Data", "SSE.Views.FormatSettingsDialog.txtFraction": "Fracció", "SSE.Views.FormatSettingsDialog.txtGeneral": "General", @@ -1924,6 +2344,7 @@ "SSE.Views.HyperlinkSettingsDialog.textTitle": "Característiques de hipervincle", "SSE.Views.HyperlinkSettingsDialog.txtEmpty": "Aquest camp és obligatori", "SSE.Views.HyperlinkSettingsDialog.txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.example.com\"", + "SSE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Aquest camp està limitat a 2083 caràcters", "SSE.Views.ImageSettings.textAdvanced": "Mostra la configuració avançada", "SSE.Views.ImageSettings.textCrop": "Retallar", "SSE.Views.ImageSettings.textCropFill": "Omplir", @@ -1960,7 +2381,7 @@ "SSE.Views.ImageSettingsAdvanced.textTitle": "Imatge - Configuració Avançada", "SSE.Views.ImageSettingsAdvanced.textTwoCell": "Moure i mida de les cel·les", "SSE.Views.ImageSettingsAdvanced.textVertically": "Verticalment", - "SSE.Views.LeftMenu.tipAbout": "Sobre", + "SSE.Views.LeftMenu.tipAbout": "Quant a...", "SSE.Views.LeftMenu.tipChat": "Chat", "SSE.Views.LeftMenu.tipComments": "Comentaris", "SSE.Views.LeftMenu.tipFile": "Fitxer", @@ -1969,7 +2390,11 @@ "SSE.Views.LeftMenu.tipSpellcheck": "Comprovació Ortogràfica", "SSE.Views.LeftMenu.tipSupport": "Opinió & Suport", "SSE.Views.LeftMenu.txtDeveloper": "MODALITAT DE DESENVOLUPADOR", + "SSE.Views.LeftMenu.txtLimit": "Limitar l'accés", "SSE.Views.LeftMenu.txtTrial": "ESTAT DE PROVA", + "SSE.Views.LeftMenu.txtTrialDev": "Mode de desenvolupador de prova", + "SSE.Views.MacroDialog.textMacro": "Nom de macro", + "SSE.Views.MacroDialog.textTitle": "Assignar Macro", "SSE.Views.MainSettingsPrint.okButtonText": "Desar", "SSE.Views.MainSettingsPrint.strBottom": "Inferior", "SSE.Views.MainSettingsPrint.strLandscape": "Horitzontal", @@ -2032,6 +2457,7 @@ "SSE.Views.NameManagerDlg.textWorkbook": "Llibre de treball", "SSE.Views.NameManagerDlg.tipIsLocked": "Un altre usuari està editant aquest element.", "SSE.Views.NameManagerDlg.txtTitle": "Gestor de Noms", + "SSE.Views.NameManagerDlg.warnDelete": "Segur que voleu suprimir el nom {0}?", "SSE.Views.PageMarginsDialog.textBottom": "Inferior", "SSE.Views.PageMarginsDialog.textLeft": "Esquerra", "SSE.Views.PageMarginsDialog.textRight": "Dreta", @@ -2106,6 +2532,21 @@ "SSE.Views.PivotDigitalFilterDialog.txtAnd": "i", "SSE.Views.PivotDigitalFilterDialog.txtTitleLabel": "Filtre Etiqueta", "SSE.Views.PivotDigitalFilterDialog.txtTitleValue": "Valor del Filtre", + "SSE.Views.PivotGroupDialog.textAuto": "Automàtic", + "SSE.Views.PivotGroupDialog.textBy": "Per", + "SSE.Views.PivotGroupDialog.textDays": "Dies", + "SSE.Views.PivotGroupDialog.textEnd": "Acabant a", + "SSE.Views.PivotGroupDialog.textError": "Aquest camp ha de ser un valor numèric", + "SSE.Views.PivotGroupDialog.textGreaterError": "El número final ha de ser més gran que el número inicial.", + "SSE.Views.PivotGroupDialog.textHour": "hores", + "SSE.Views.PivotGroupDialog.textMin": "Minuts", + "SSE.Views.PivotGroupDialog.textMonth": "Mesos", + "SSE.Views.PivotGroupDialog.textNumDays": "Nombre de dies", + "SSE.Views.PivotGroupDialog.textQuart": "Trimestres", + "SSE.Views.PivotGroupDialog.textSec": "Segons", + "SSE.Views.PivotGroupDialog.textStart": "Començant a", + "SSE.Views.PivotGroupDialog.textYear": "Anys", + "SSE.Views.PivotGroupDialog.txtTitle": "Agrupació", "SSE.Views.PivotSettings.textAdvanced": "Mostra la configuració avançada", "SSE.Views.PivotSettings.textColumns": "Columnes", "SSE.Views.PivotSettings.textFields": "Seleccionar Camps", @@ -2238,7 +2679,7 @@ "SSE.Views.RightMenu.txtCellSettings": "Configuració de la cel·la", "SSE.Views.RightMenu.txtChartSettings": "Gràfic Configuració", "SSE.Views.RightMenu.txtImageSettings": "Configuració Imatge", - "SSE.Views.RightMenu.txtParagraphSettings": "Configuració de text", + "SSE.Views.RightMenu.txtParagraphSettings": "Configuració de paràgraf", "SSE.Views.RightMenu.txtPivotSettings": "Configuració de la taula activada", "SSE.Views.RightMenu.txtSettings": "Configuració Comuna", "SSE.Views.RightMenu.txtShapeSettings": "Configuració de la Forma", @@ -2267,7 +2708,7 @@ "SSE.Views.ShapeSettings.strPattern": "Patró", "SSE.Views.ShapeSettings.strShadow": "Mostra ombra", "SSE.Views.ShapeSettings.strSize": "Mida", - "SSE.Views.ShapeSettings.strStroke": "Traça", + "SSE.Views.ShapeSettings.strStroke": "Línia", "SSE.Views.ShapeSettings.strTransparency": "Opacitat", "SSE.Views.ShapeSettings.strType": "Tipus", "SSE.Views.ShapeSettings.textAdvanced": "Mostra la configuració avançada", @@ -2371,6 +2812,7 @@ "SSE.Views.SignatureSettings.strValid": "Signatures vàlides", "SSE.Views.SignatureSettings.txtContinueEditing": "Editar de totes maneres", "SSE.Views.SignatureSettings.txtEditWarning": "L’edició eliminarà les signatures del full de càlcul.
Esteu segur que voleu continuar?", + "SSE.Views.SignatureSettings.txtRemoveWarning": "Voleu eliminar aquesta signatura?
Això no es podrà desfer.", "SSE.Views.SignatureSettings.txtRequestedSignatures": "Cal signar aquest full de càlcul.", "SSE.Views.SignatureSettings.txtSigned": "S'ha afegit signatures vàlides al full de càlcul. El full de càlcul està protegit de l’edició.", "SSE.Views.SignatureSettings.txtSignedInvalid": "Algunes de les signatures digitals del full de càlcul no són vàlides o no es van poder verificar. El full de càlcul està protegit de l’edició.", @@ -2459,8 +2901,8 @@ "SSE.Views.SortDialog.textDown": "Moure el nivell cap avall", "SSE.Views.SortDialog.textFontColor": "Color de Font", "SSE.Views.SortDialog.textLeft": "Esquerra", - "SSE.Views.SortDialog.textMoreCols": "(Afegir columnes...)", - "SSE.Views.SortDialog.textMoreRows": "(Afegir files...)", + "SSE.Views.SortDialog.textMoreCols": "(Més columnes...)", + "SSE.Views.SortDialog.textMoreRows": "(Mes files...)", "SSE.Views.SortDialog.textNone": "Cap", "SSE.Views.SortDialog.textOptions": "Opcions", "SSE.Views.SortDialog.textOrder": "Ordenar", @@ -2614,7 +3056,7 @@ "SSE.Views.TextArtSettings.strForeground": "Color de Primer Pla", "SSE.Views.TextArtSettings.strPattern": "Patró", "SSE.Views.TextArtSettings.strSize": "Mida", - "SSE.Views.TextArtSettings.strStroke": "Traça", + "SSE.Views.TextArtSettings.strStroke": "Línia", "SSE.Views.TextArtSettings.strTransparency": "Opacitat", "SSE.Views.TextArtSettings.strType": "Tipus", "SSE.Views.TextArtSettings.textAngle": "Angle", @@ -2654,6 +3096,7 @@ "SSE.Views.TextArtSettings.txtPapyrus": "Papiro", "SSE.Views.TextArtSettings.txtWood": "Fusta", "SSE.Views.Toolbar.capBtnAddComment": "Afegir Comentari", + "SSE.Views.Toolbar.capBtnColorSchemas": "Esquema de color", "SSE.Views.Toolbar.capBtnComment": "Comentari", "SSE.Views.Toolbar.capBtnInsHeader": "Capçalera/Peu de Pàgina", "SSE.Views.Toolbar.capBtnInsSlicer": "Slicer", @@ -2673,6 +3116,7 @@ "SSE.Views.Toolbar.capInsertHyperlink": "Hiperenllaç", "SSE.Views.Toolbar.capInsertImage": "Imatge", "SSE.Views.Toolbar.capInsertShape": "Forma", + "SSE.Views.Toolbar.capInsertSpark": "Sparklines", "SSE.Views.Toolbar.capInsertTable": "Taula", "SSE.Views.Toolbar.capInsertText": "Quadre de Text", "SSE.Views.Toolbar.mniImageFromFile": "Imatge d'un Fitxer", @@ -2682,12 +3126,13 @@ "SSE.Views.Toolbar.textAlignBottom": "Alineació Inferior", "SSE.Views.Toolbar.textAlignCenter": "Centrar", "SSE.Views.Toolbar.textAlignJust": "Justificat", - "SSE.Views.Toolbar.textAlignLeft": "Alinear Esquerra", - "SSE.Views.Toolbar.textAlignMiddle": "Alinear al Mig", - "SSE.Views.Toolbar.textAlignRight": "Alinear Dreta", - "SSE.Views.Toolbar.textAlignTop": "Alinear Superior", - "SSE.Views.Toolbar.textAllBorders": "Tots els Costats", + "SSE.Views.Toolbar.textAlignLeft": "Alineació Esquerra", + "SSE.Views.Toolbar.textAlignMiddle": "Alineació al Mig", + "SSE.Views.Toolbar.textAlignRight": "Alineació Dreta", + "SSE.Views.Toolbar.textAlignTop": "Alineació Superior", + "SSE.Views.Toolbar.textAllBorders": "Totes les Vores", "SSE.Views.Toolbar.textAuto": "Auto", + "SSE.Views.Toolbar.textAutoColor": "Automàtic", "SSE.Views.Toolbar.textBold": "Negreta", "SSE.Views.Toolbar.textBordersColor": "Color Vora", "SSE.Views.Toolbar.textBordersStyle": "Estil de Vora", @@ -2695,8 +3140,11 @@ "SSE.Views.Toolbar.textBottomBorders": "Vores inferiors", "SSE.Views.Toolbar.textCenterBorders": "Vores Verticals Internes", "SSE.Views.Toolbar.textClearPrintArea": "Esborrar l'Àrea d'Impressió", + "SSE.Views.Toolbar.textClearRule": "Netejar les regles", "SSE.Views.Toolbar.textClockwise": "Angle en sentit horari", + "SSE.Views.Toolbar.textColorScales": "Escala de color", "SSE.Views.Toolbar.textCounterCw": "Angle en sentit antihorari", + "SSE.Views.Toolbar.textDataBars": "Barra de Dades", "SSE.Views.Toolbar.textDelLeft": "Desplaçar les cel·les cap a l'esquerra", "SSE.Views.Toolbar.textDelUp": "Desplaçar Cel·les Amunt", "SSE.Views.Toolbar.textDiagDownBorder": "Vora Diagonal Descendent", @@ -2710,9 +3158,11 @@ "SSE.Views.Toolbar.textInsideBorders": "Vores Internes", "SSE.Views.Toolbar.textInsRight": "Desplaçar Cel·les a la Dreta", "SSE.Views.Toolbar.textItalic": "Itàlica", + "SSE.Views.Toolbar.textItems": "Elements", "SSE.Views.Toolbar.textLandscape": "Horitzontal", "SSE.Views.Toolbar.textLeft": "Esquerra:", "SSE.Views.Toolbar.textLeftBorders": "Vores Esquerres", + "SSE.Views.Toolbar.textManageRule": "Gestionar Regles", "SSE.Views.Toolbar.textManyPages": "pàgines", "SSE.Views.Toolbar.textMarginsLast": "Últim Personalitzat", "SSE.Views.Toolbar.textMarginsNarrow": "Estret", @@ -2722,6 +3172,7 @@ "SSE.Views.Toolbar.textMoreFormats": "Altres formats", "SSE.Views.Toolbar.textMorePages": "Més pàgines", "SSE.Views.Toolbar.textNewColor": "Afegir un Nou Color Personalitzat", + "SSE.Views.Toolbar.textNewRule": "Nova regla", "SSE.Views.Toolbar.textNoBorders": "Sense Vores", "SSE.Views.Toolbar.textOnePage": "pàgina", "SSE.Views.Toolbar.textOutBorders": "Vores Exteriors", @@ -2735,6 +3186,7 @@ "SSE.Views.Toolbar.textRotateUp": "Girar Text cap a munt", "SSE.Views.Toolbar.textScale": "Escala", "SSE.Views.Toolbar.textScaleCustom": "Personalitzat", + "SSE.Views.Toolbar.textSelection": "Des de la selecció actual", "SSE.Views.Toolbar.textSetPrintArea": "Definir l'Àrea d'Impressió", "SSE.Views.Toolbar.textStrikeout": "Ratllar", "SSE.Views.Toolbar.textSubscript": "Subíndex", @@ -2749,6 +3201,9 @@ "SSE.Views.Toolbar.textTabLayout": "Maquetació", "SSE.Views.Toolbar.textTabProtect": "Protecció", "SSE.Views.Toolbar.textTabView": "Vista", + "SSE.Views.Toolbar.textThisPivot": "Des d'aquesta taula pivot", + "SSE.Views.Toolbar.textThisSheet": "Des d'aquest full de treball", + "SSE.Views.Toolbar.textThisTable": "Des d'aquesta taula", "SSE.Views.Toolbar.textTop": "Superior:", "SSE.Views.Toolbar.textTopBorders": "Vores Superiors", "SSE.Views.Toolbar.textUnderline": "Subratllar", @@ -2758,10 +3213,10 @@ "SSE.Views.Toolbar.tipAlignBottom": "Alineació inferior", "SSE.Views.Toolbar.tipAlignCenter": "Centrar", "SSE.Views.Toolbar.tipAlignJust": "Justificat", - "SSE.Views.Toolbar.tipAlignLeft": "Alinear esquerra", - "SSE.Views.Toolbar.tipAlignMiddle": "Alinear al Mig", - "SSE.Views.Toolbar.tipAlignRight": "Alinear dreta", - "SSE.Views.Toolbar.tipAlignTop": "Alinear superior", + "SSE.Views.Toolbar.tipAlignLeft": "Alineació esquerra", + "SSE.Views.Toolbar.tipAlignMiddle": "Alineació al Mig", + "SSE.Views.Toolbar.tipAlignRight": "Alineació Dreta", + "SSE.Views.Toolbar.tipAlignTop": "Alineació superior", "SSE.Views.Toolbar.tipAutofilter": "Ordenar i Filtrar", "SSE.Views.Toolbar.tipBack": "Enrere", "SSE.Views.Toolbar.tipBorders": "Vores", @@ -2769,6 +3224,7 @@ "SSE.Views.Toolbar.tipChangeChart": "Canviar el tipus de gràfic", "SSE.Views.Toolbar.tipClearStyle": "Esborrar", "SSE.Views.Toolbar.tipColorSchemas": "Canviar el esquema de color", + "SSE.Views.Toolbar.tipCondFormat": "Format condicional", "SSE.Views.Toolbar.tipCopy": "Copiar", "SSE.Views.Toolbar.tipCopyStyle": "Copiar estil", "SSE.Views.Toolbar.tipDecDecimal": "Disminuir el decimal", @@ -2779,6 +3235,7 @@ "SSE.Views.Toolbar.tipDigStylePercent": "Estil Percentual", "SSE.Views.Toolbar.tipEditChart": "Editar Gràfic", "SSE.Views.Toolbar.tipEditChartData": "Seleccionar Dades", + "SSE.Views.Toolbar.tipEditChartType": "Canviar el tipus de gràfic", "SSE.Views.Toolbar.tipEditHeader": "Edita la capçalera o el peu de pàgina", "SSE.Views.Toolbar.tipFontColor": "Color de Font", "SSE.Views.Toolbar.tipFontName": "Font", @@ -2795,6 +3252,7 @@ "SSE.Views.Toolbar.tipInsertOpt": "Inserir cel·les", "SSE.Views.Toolbar.tipInsertShape": "Inseriu autoforma", "SSE.Views.Toolbar.tipInsertSlicer": "Inserir desplegable", + "SSE.Views.Toolbar.tipInsertSpark": "Inserir sparkline", "SSE.Views.Toolbar.tipInsertSymbol": "Inserir símbol", "SSE.Views.Toolbar.tipInsertTable": "Inserir taula", "SSE.Views.Toolbar.tipInsertText": "Inserir quadre de text", @@ -2805,7 +3263,7 @@ "SSE.Views.Toolbar.tipPageOrient": "Orientació de Pàgina", "SSE.Views.Toolbar.tipPageSize": "Mida de Pàgina", "SSE.Views.Toolbar.tipPaste": "Pegar", - "SSE.Views.Toolbar.tipPrColor": "Color de Fons", + "SSE.Views.Toolbar.tipPrColor": "Color d'emplenament", "SSE.Views.Toolbar.tipPrint": "Imprimir", "SSE.Views.Toolbar.tipPrintArea": "Àrea d’Impressió", "SSE.Views.Toolbar.tipPrintTitles": "Imprimir títols", @@ -2931,6 +3389,7 @@ "SSE.Views.ViewManagerDlg.textDuplicate": "Duplicar", "SSE.Views.ViewManagerDlg.textEmpty": "Encara no s'ha creat cap visualització.", "SSE.Views.ViewManagerDlg.textGoTo": "Anar a vista", + "SSE.Views.ViewManagerDlg.textLongName": "Introduïu un nom de menys de 128 caràcters.", "SSE.Views.ViewManagerDlg.textNew": "Nou", "SSE.Views.ViewManagerDlg.textRename": "Canviar el nom", "SSE.Views.ViewManagerDlg.textRenameError": "El nom de la vista no pot estar buit.", diff --git a/apps/spreadsheeteditor/main/locale/de.json b/apps/spreadsheeteditor/main/locale/de.json index b682b4c15..7e9053af4 100644 --- a/apps/spreadsheeteditor/main/locale/de.json +++ b/apps/spreadsheeteditor/main/locale/de.json @@ -983,7 +983,7 @@ "SSE.Controllers.Main.unsupportedBrowserErrorText": "Ihr Webbrowser wird nicht unterstützt.", "SSE.Controllers.Main.uploadImageExtMessage": "Unbekanntes Bildformat.", "SSE.Controllers.Main.uploadImageFileCountMessage": "Kein Bild hochgeladen.", - "SSE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße ist überschritten.", + "SSE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten.", "SSE.Controllers.Main.uploadImageTextText": "Das Bild wird hochgeladen...", "SSE.Controllers.Main.uploadImageTitleText": "Bild wird hochgeladen", "SSE.Controllers.Main.waitText": "Bitte warten...", @@ -2087,7 +2087,7 @@ "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Allgemein", "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Seiten-Einstellungen", "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Rechtschreibprüfung", - "SSE.Views.FormatRulesEditDlg.fillColor": "Hintergrundfarbe", + "SSE.Views.FormatRulesEditDlg.fillColor": "Füllfarbe", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Warnung", "SSE.Views.FormatRulesEditDlg.text2Scales": "2-Farben-Skala", "SSE.Views.FormatRulesEditDlg.text3Scales": "3-Farben-Skala", @@ -3263,7 +3263,7 @@ "SSE.Views.Toolbar.tipPageOrient": "Seitenausrichtung", "SSE.Views.Toolbar.tipPageSize": "Seitenformat", "SSE.Views.Toolbar.tipPaste": "Einfügen", - "SSE.Views.Toolbar.tipPrColor": "Hintergrundfarbe", + "SSE.Views.Toolbar.tipPrColor": "Füllfarbe", "SSE.Views.Toolbar.tipPrint": "Drucken", "SSE.Views.Toolbar.tipPrintArea": "Druckbereich", "SSE.Views.Toolbar.tipPrintTitles": "Drucke titel", diff --git a/apps/spreadsheeteditor/main/locale/en.json b/apps/spreadsheeteditor/main/locale/en.json index 06340e575..c4b9ea495 100644 --- a/apps/spreadsheeteditor/main/locale/en.json +++ b/apps/spreadsheeteditor/main/locale/en.json @@ -984,7 +984,7 @@ "SSE.Controllers.Main.unsupportedBrowserErrorText": "Your browser is not supported.", "SSE.Controllers.Main.uploadImageExtMessage": "Unknown image format.", "SSE.Controllers.Main.uploadImageFileCountMessage": "No images uploaded.", - "SSE.Controllers.Main.uploadImageSizeMessage": "Maximium image size limit exceeded.", + "SSE.Controllers.Main.uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", "SSE.Controllers.Main.uploadImageTextText": "Uploading image...", "SSE.Controllers.Main.uploadImageTitleText": "Uploading Image", "SSE.Controllers.Main.waitText": "Please, wait...", @@ -2088,7 +2088,7 @@ "SSE.Views.FileMenuPanels.Settings.txtGeneral": "General", "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Page Settings", "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Spell checking", - "SSE.Views.FormatRulesEditDlg.fillColor": "Background color", + "SSE.Views.FormatRulesEditDlg.fillColor": "Fill color", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Warning", "SSE.Views.FormatRulesEditDlg.text2Scales": "2 Color scale", "SSE.Views.FormatRulesEditDlg.text3Scales": "3 Color scale", @@ -2181,6 +2181,7 @@ "SSE.Views.FormatRulesEditDlg.txtEmpty": "This field is required", "SSE.Views.FormatRulesEditDlg.txtFraction": "Fraction", "SSE.Views.FormatRulesEditDlg.txtGeneral": "General", + "SSE.Views.FormatRulesEditDlg.txtNoCellIcon": "No Icon", "SSE.Views.FormatRulesEditDlg.txtNumber": "Number", "SSE.Views.FormatRulesEditDlg.txtPercentage": "Percentage", "SSE.Views.FormatRulesEditDlg.txtScientific": "Scientific", @@ -3264,7 +3265,7 @@ "SSE.Views.Toolbar.tipPageOrient": "Page orientation", "SSE.Views.Toolbar.tipPageSize": "Page size", "SSE.Views.Toolbar.tipPaste": "Paste", - "SSE.Views.Toolbar.tipPrColor": "Background color", + "SSE.Views.Toolbar.tipPrColor": "Fill color", "SSE.Views.Toolbar.tipPrint": "Print", "SSE.Views.Toolbar.tipPrintArea": "Print area", "SSE.Views.Toolbar.tipPrintTitles": "Print titles", diff --git a/apps/spreadsheeteditor/main/locale/es.json b/apps/spreadsheeteditor/main/locale/es.json index 0b6d29ed9..e3a42e681 100644 --- a/apps/spreadsheeteditor/main/locale/es.json +++ b/apps/spreadsheeteditor/main/locale/es.json @@ -983,7 +983,7 @@ "SSE.Controllers.Main.unsupportedBrowserErrorText": "Su navegador no está soportado.", "SSE.Controllers.Main.uploadImageExtMessage": "Formato de imagen desconocido.", "SSE.Controllers.Main.uploadImageFileCountMessage": "No hay imágenes subidas.", - "SSE.Controllers.Main.uploadImageSizeMessage": "Tamaño de imagen máximo está superado.", + "SSE.Controllers.Main.uploadImageSizeMessage": "La imagen es demasiado grande. El tamaño máximo es de 25 MB.", "SSE.Controllers.Main.uploadImageTextText": "Subiendo imagen...", "SSE.Controllers.Main.uploadImageTitleText": "Subiendo imagen", "SSE.Controllers.Main.waitText": "Por favor, espere...", @@ -1026,7 +1026,7 @@ "SSE.Controllers.Toolbar.textFontSizeErr": "El valor introducido es incorrecto.
Por favor, introduzca un valor numérico entre 1 y 409", "SSE.Controllers.Toolbar.textFraction": "Fracciones", "SSE.Controllers.Toolbar.textFunction": "Funciones", - "SSE.Controllers.Toolbar.textIndicator": "Indicadores", + "SSE.Controllers.Toolbar.textIndicator": "Hitos", "SSE.Controllers.Toolbar.textInsert": "Insertar", "SSE.Controllers.Toolbar.textIntegral": "Integrales", "SSE.Controllers.Toolbar.textLargeOperator": "Operadores grandes", @@ -1429,7 +1429,7 @@ "SSE.Views.CellSettings.strWrap": "Ajustar texto", "SSE.Views.CellSettings.textAngle": "Ángulo", "SSE.Views.CellSettings.textBackColor": "Color de fondo", - "SSE.Views.CellSettings.textBackground": "Color del fondo", + "SSE.Views.CellSettings.textBackground": "Color de fondo", "SSE.Views.CellSettings.textBorderColor": "Color", "SSE.Views.CellSettings.textBorders": "Estilo de bordes", "SSE.Views.CellSettings.textClearRule": "Borrar reglas", @@ -2087,7 +2087,7 @@ "SSE.Views.FileMenuPanels.Settings.txtGeneral": "General", "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Ajustes de la Página", "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Сorrección ortográfica", - "SSE.Views.FormatRulesEditDlg.fillColor": "Color de fondo", + "SSE.Views.FormatRulesEditDlg.fillColor": "Color de relleno", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Advertencia", "SSE.Views.FormatRulesEditDlg.text2Scales": "Escala de 2 colores", "SSE.Views.FormatRulesEditDlg.text3Scales": "Escala de 3 colores", @@ -3263,7 +3263,7 @@ "SSE.Views.Toolbar.tipPageOrient": "Orientación de página", "SSE.Views.Toolbar.tipPageSize": "Tamaño de página", "SSE.Views.Toolbar.tipPaste": "Pegar", - "SSE.Views.Toolbar.tipPrColor": "Color de fondo", + "SSE.Views.Toolbar.tipPrColor": "Color de relleno", "SSE.Views.Toolbar.tipPrint": "Imprimir", "SSE.Views.Toolbar.tipPrintArea": "Área de impresión", "SSE.Views.Toolbar.tipPrintTitles": "Imprimir títulos", diff --git a/apps/spreadsheeteditor/main/locale/it.json b/apps/spreadsheeteditor/main/locale/it.json index b800012d3..97217199e 100644 --- a/apps/spreadsheeteditor/main/locale/it.json +++ b/apps/spreadsheeteditor/main/locale/it.json @@ -49,8 +49,56 @@ "Common.define.chartData.textSurface": "Superficie", "Common.define.chartData.textWinLossSpark": "Vinci/Perdi", "Common.define.conditionalData.exampleText": "AaBbCcYyZz", + "Common.define.conditionalData.noFormatText": "Formato non impostato", + "Common.define.conditionalData.text1Above": "1 deviazione standard sopra", + "Common.define.conditionalData.text1Below": "1 deviazione standard sotto", + "Common.define.conditionalData.text2Above": "2 deviazioni standard sopra", + "Common.define.conditionalData.text2Below": "2 deviazioni standard sotto", + "Common.define.conditionalData.text3Above": "3 deviazioni standard sopra", + "Common.define.conditionalData.text3Below": "3 deviazioni standard sotto", + "Common.define.conditionalData.textAbove": "Sopra", + "Common.define.conditionalData.textAverage": "Media", + "Common.define.conditionalData.textBegins": "Inizia con", + "Common.define.conditionalData.textBelow": "Sotto", + "Common.define.conditionalData.textBetween": "Tra", + "Common.define.conditionalData.textBlank": "Vuoto", + "Common.define.conditionalData.textBlanks": "contiene spazi vuoti", + "Common.define.conditionalData.textBottom": "In basso", + "Common.define.conditionalData.textContains": "contiene", + "Common.define.conditionalData.textDataBar": "Barra di dati", + "Common.define.conditionalData.textDate": "Data", + "Common.define.conditionalData.textDuplicate": "Duplicare", + "Common.define.conditionalData.textEnds": "finisce con", + "Common.define.conditionalData.textEqAbove": "Uguale o superiore", + "Common.define.conditionalData.textEqBelow": "Uguale o inferiore", + "Common.define.conditionalData.textEqual": "Uguale a", + "Common.define.conditionalData.textError": "Errore", + "Common.define.conditionalData.textErrors": "contiene errori", + "Common.define.conditionalData.textFormula": "Formula", + "Common.define.conditionalData.textGreater": "Maggiore di", + "Common.define.conditionalData.textGreaterEq": "Maggiore o uguale a", + "Common.define.conditionalData.textIconSets": "Set di icone", + "Common.define.conditionalData.textLast7days": "Negli ultimi 7 giorni", "Common.define.conditionalData.textLastMonth": "ultimo mese", "Common.define.conditionalData.textLastWeek": "ultima settimana", + "Common.define.conditionalData.textLess": "Meno di", + "Common.define.conditionalData.textLessEq": "Inferiore o uguale a", + "Common.define.conditionalData.textNextMonth": "Mese prossimo", + "Common.define.conditionalData.textNextWeek": "Settimana prossima", + "Common.define.conditionalData.textNotBetween": "non tra", + "Common.define.conditionalData.textNotBlanks": "non contiene spazi vuoti", + "Common.define.conditionalData.textNotContains": "non contiene", + "Common.define.conditionalData.textNotEqual": "Non uguale a", + "Common.define.conditionalData.textNotErrors": "non contiene errori", + "Common.define.conditionalData.textText": "Testo", + "Common.define.conditionalData.textThisMonth": "Questo mese", + "Common.define.conditionalData.textThisWeek": "Questa settimana", + "Common.define.conditionalData.textToday": "Oggi", + "Common.define.conditionalData.textTomorrow": "Domani", + "Common.define.conditionalData.textTop": "In alto", + "Common.define.conditionalData.textUnique": "Unico", + "Common.define.conditionalData.textValue": "Valore è", + "Common.define.conditionalData.textYesterday": "Ieri", "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‎", @@ -103,9 +151,11 @@ "Common.Views.About.txtVersion": "Versione", "Common.Views.AutoCorrectDialog.textAdd": "Aggiungi", "Common.Views.AutoCorrectDialog.textApplyAsWork": "Applica mentre lavori", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Correzione automatica", "Common.Views.AutoCorrectDialog.textAutoFormat": "Formattazione automatica durante la scrittura", "Common.Views.AutoCorrectDialog.textBy": "Di", "Common.Views.AutoCorrectDialog.textDelete": "Elimina", + "Common.Views.AutoCorrectDialog.textHyperlink": "Internet e percorsi di rete con i collegamenti ipertestuali", "Common.Views.AutoCorrectDialog.textMathCorrect": "Correzione automatica matematica", "Common.Views.AutoCorrectDialog.textNewRowCol": "Aggiungi nuove righe e colonne nella tabella", "Common.Views.AutoCorrectDialog.textRecognized": "Funzioni riconosciute", @@ -189,10 +239,14 @@ "Common.Views.ListSettingsDialog.txtTitle": "Impostazioni elenco", "Common.Views.ListSettingsDialog.txtType": "Tipo", "Common.Views.OpenDialog.closeButtonText": "Chiudi File", + "Common.Views.OpenDialog.textInvalidRange": "Intervallo di celle non valido", + "Common.Views.OpenDialog.textSelectData": "Selezionare i dati", "Common.Views.OpenDialog.txtAdvanced": "Avanzate", "Common.Views.OpenDialog.txtColon": "Due punti", "Common.Views.OpenDialog.txtComma": "Virgola", "Common.Views.OpenDialog.txtDelimiter": "Delimitatore", + "Common.Views.OpenDialog.txtDestData": "Scegli dove inserire i dati", + "Common.Views.OpenDialog.txtEmpty": "Questo campo è obbligatorio", "Common.Views.OpenDialog.txtEncoding": "Codifica", "Common.Views.OpenDialog.txtIncorrectPwd": "Password errata", "Common.Views.OpenDialog.txtOpenFile": "Immettere la password per aprire il file", @@ -239,6 +293,8 @@ "Common.Views.ReviewChanges.tipCoAuthMode": "Imposta modalità co-editing", "Common.Views.ReviewChanges.tipCommentRem": "Rimuovi i commenti", "Common.Views.ReviewChanges.tipCommentRemCurrent": "Rimuovi i commenti correnti", + "Common.Views.ReviewChanges.tipCommentResolve": "Risolvere i commenti", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Risolvere i commenti presenti", "Common.Views.ReviewChanges.tipHistory": "Mostra Cronologia versioni", "Common.Views.ReviewChanges.tipRejectCurrent": "Annulla la modifica attuale", "Common.Views.ReviewChanges.tipReview": "Traccia cambiamenti", @@ -258,6 +314,11 @@ "Common.Views.ReviewChanges.txtCommentRemMy": "Rimuovi i miei commenti", "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Rimuovi i miei commenti attuali", "Common.Views.ReviewChanges.txtCommentRemove": "Elimina", + "Common.Views.ReviewChanges.txtCommentResolve": "Risolvere", + "Common.Views.ReviewChanges.txtCommentResolveAll": "‎Risolvere tutti i commenti‎", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Risolvere i commenti presenti", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Risolvere i miei commenti", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "‎Risolvere i miei commenti presenti", "Common.Views.ReviewChanges.txtDocLang": "Lingua", "Common.Views.ReviewChanges.txtFinal": "Tutti le modifiche accettate (anteprima)", "Common.Views.ReviewChanges.txtFinalCap": "Finale", @@ -345,12 +406,14 @@ "Common.Views.UserNameDialog.textLabel": "Etichetta:", "Common.Views.UserNameDialog.textLabelError": "L'etichetta non deve essere vuota.", "SSE.Controllers.DataTab.textColumns": "Colonne", + "SSE.Controllers.DataTab.textEmptyUrl": "Devi specificare l'URL.", "SSE.Controllers.DataTab.textRows": "Righe", "SSE.Controllers.DataTab.textWizard": "Testo a colonne", "SSE.Controllers.DataTab.txtDataValidation": "Validazione dati", "SSE.Controllers.DataTab.txtExpand": "Espandi", "SSE.Controllers.DataTab.txtExpandRemDuplicates": "I dati accanto alla selezione non verranno rimossi. Vuoi espandere la selezione per includere i dati adiacenti o continuare solo con le celle attualmente selezionate?", "SSE.Controllers.DataTab.txtExtendDataValidation": "La selezione contiene alcune celle senza impostazioni di convalida dei dati.
Desideri estendere la convalida dei dati a queste celle?", + "SSE.Controllers.DataTab.txtImportWizard": "Procedura guidata di importazione del testo", "SSE.Controllers.DataTab.txtRemDuplicates": "Rimuovi duplicati", "SSE.Controllers.DataTab.txtRemoveDataValidation": "La selezione contiene più di un tipo di convalida.
Cancellare le impostazioni correnti e continuare?", "SSE.Controllers.DataTab.txtRemSelected": "Rimuovi nella selezione", @@ -622,6 +685,7 @@ "SSE.Controllers.Main.errorWrongOperator": "Un errore nella formula inserita. È stato utilizzato un operatore errato.
Correggere per continuare.", "SSE.Controllers.Main.errRemDuplicates": "Valori duplicati trovati ed eliminati: {0}, valori univoci rimasti: {1}.", "SSE.Controllers.Main.leavePageText": "Ci sono delle modifiche non salvate in questo foglio di calcolo. Clicca su 'Rimani in questa pagina', poi su 'Salva' per salvarle. Clicca su 'Esci da questa pagina' per scartare tutte le modifiche non salvate.", + "SSE.Controllers.Main.leavePageTextOnClose": "Tutte le modifiche non salvate in questo foglio di calcolo andranno perse. Clicca su \"Cancellare\" poi \"Salvare\" per salvarle. Clicca su \"OK\" per eliminare tutte le modifiche non salvate.", "SSE.Controllers.Main.loadFontsTextText": "Caricamento dei dati in corso...", "SSE.Controllers.Main.loadFontsTitleText": "Caricamento dei dati", "SSE.Controllers.Main.loadFontTextText": "Caricamento dei dati in corso...", @@ -670,6 +734,7 @@ "SSE.Controllers.Main.textShape": "Forma", "SSE.Controllers.Main.textStrict": "Modalità Rigorosa", "SSE.Controllers.Main.textTryUndoRedo": "Le funzioni Annulla/Ripristina sono disabilitate per la Modalità di Co-editing Veloce.
Clicca il pulsante 'Modalità Rigorosa' per passare alla Modalità di Co-editing Rigorosa per poter modificare il file senza l'interferenza di altri utenti e inviare le modifiche solamente dopo averle salvate. Puoi passare da una modalità all'altra di co-editing utilizzando le Impostazioni avanzate dell'editor.", + "SSE.Controllers.Main.textTryUndoRedoWarn": "Le funzioni Annulla/Ripeti sono disattivate nella modalità rapida di co-editing", "SSE.Controllers.Main.textYes": "Sì", "SSE.Controllers.Main.titleLicenseExp": "La licenza è scaduta", "SSE.Controllers.Main.titleRecalcFormulas": "Calcolo in corso...", @@ -918,7 +983,7 @@ "SSE.Controllers.Main.unsupportedBrowserErrorText": "Il tuo browser non è supportato.", "SSE.Controllers.Main.uploadImageExtMessage": "Formato immagine sconosciuto.", "SSE.Controllers.Main.uploadImageFileCountMessage": "Nessuna immagine caricata.", - "SSE.Controllers.Main.uploadImageSizeMessage": "È stata superata la dimensione massima per l'immagine.", + "SSE.Controllers.Main.uploadImageSizeMessage": "L'immagine è troppo grande. La dimensione massima è 25 MB.", "SSE.Controllers.Main.uploadImageTextText": "Caricamento immagine in corso...", "SSE.Controllers.Main.uploadImageTitleText": "Caricamento dell'immagine", "SSE.Controllers.Main.waitText": "Per favore, attendi...", @@ -957,9 +1022,11 @@ "SSE.Controllers.Toolbar.errorStockChart": "Ordine di righe scorretto. Per creare un grafico in pila posiziona i dati nel foglio nel seguente ordine:
prezzo di apertura, prezzo massimo, prezzo minimo, prezzo di chiusura.", "SSE.Controllers.Toolbar.textAccent": "Accenti", "SSE.Controllers.Toolbar.textBracket": "Parentesi", + "SSE.Controllers.Toolbar.textDirectional": "Direzionale", "SSE.Controllers.Toolbar.textFontSizeErr": "Il valore inserito non è corretto.
Inserisci un valore numerico compreso tra 1 e 409", "SSE.Controllers.Toolbar.textFraction": "Frazioni", "SSE.Controllers.Toolbar.textFunction": "Funzioni", + "SSE.Controllers.Toolbar.textIndicator": "Indicatori", "SSE.Controllers.Toolbar.textInsert": "Inserisci", "SSE.Controllers.Toolbar.textIntegral": "Integrali", "SSE.Controllers.Toolbar.textLargeOperator": "Operatori di grandi dimensioni", @@ -969,7 +1036,9 @@ "SSE.Controllers.Toolbar.textOperator": "Operatori", "SSE.Controllers.Toolbar.textPivot": "Tabella pivot", "SSE.Controllers.Toolbar.textRadical": "Radicali", + "SSE.Controllers.Toolbar.textRating": "Valutazioni", "SSE.Controllers.Toolbar.textScript": "Script", + "SSE.Controllers.Toolbar.textShapes": "Forme", "SSE.Controllers.Toolbar.textSymbols": "Simboli", "SSE.Controllers.Toolbar.textWarning": "Avviso", "SSE.Controllers.Toolbar.txtAccent_Accent": "Acuto", @@ -1360,11 +1429,15 @@ "SSE.Views.CellSettings.strWrap": "Disponi testo", "SSE.Views.CellSettings.textAngle": "Angolo", "SSE.Views.CellSettings.textBackColor": "Colore sfondo", - "SSE.Views.CellSettings.textBackground": "Colore sfondo", + "SSE.Views.CellSettings.textBackground": "Colore di sfondo", "SSE.Views.CellSettings.textBorderColor": "Colore", "SSE.Views.CellSettings.textBorders": "Stile bordo", + "SSE.Views.CellSettings.textClearRule": "Cancellare le regole", "SSE.Views.CellSettings.textColor": "Colore di riempimento", + "SSE.Views.CellSettings.textColorScales": "Scale cromatiche", + "SSE.Views.CellSettings.textCondFormat": "Formattazione condizionale", "SSE.Views.CellSettings.textControl": "Controllo del testo", + "SSE.Views.CellSettings.textDataBars": "Barre di dati", "SSE.Views.CellSettings.textDirection": "Direzione", "SSE.Views.CellSettings.textFill": "Riempimento", "SSE.Views.CellSettings.textForeground": "Colore primo piano", @@ -1374,6 +1447,8 @@ "SSE.Views.CellSettings.textIndent": "Rientro", "SSE.Views.CellSettings.textItems": "elementi", "SSE.Views.CellSettings.textLinear": "Lineare", + "SSE.Views.CellSettings.textManageRule": "Gestire le regole", + "SSE.Views.CellSettings.textNewRule": "Nuova regola", "SSE.Views.CellSettings.textNoFill": "Nessun riempimento", "SSE.Views.CellSettings.textOrientation": "Orientamento del testo", "SSE.Views.CellSettings.textPattern": "Modello", @@ -1381,6 +1456,10 @@ "SSE.Views.CellSettings.textPosition": "Posizione", "SSE.Views.CellSettings.textRadial": "Radiale", "SSE.Views.CellSettings.textSelectBorders": "Seleziona i bordi che desideri modificare applicando lo stile scelto sopra", + "SSE.Views.CellSettings.textSelection": "Dalla selezione corrente", + "SSE.Views.CellSettings.textThisPivot": "Da questo pivot", + "SSE.Views.CellSettings.textThisSheet": "Da questo foglio di calcolo", + "SSE.Views.CellSettings.textThisTable": "Da questa tabella", "SSE.Views.CellSettings.tipAddGradientPoint": "‎Aggiungi punto di sfumatura‎", "SSE.Views.CellSettings.tipAll": "Imposta bordo esterno e tutte le linee interne", "SSE.Views.CellSettings.tipBottom": "Imposta solo bordo esterno inferiore", @@ -1592,12 +1671,21 @@ "SSE.Views.CreatePivotDialog.textSelectData": "Seleziona dati", "SSE.Views.CreatePivotDialog.textTitle": "Crea tabella pivot", "SSE.Views.CreatePivotDialog.txtEmpty": "Campo obbligatorio", + "SSE.Views.CreateSparklineDialog.textDataRange": "Fonte di intervallo di dati", + "SSE.Views.CreateSparklineDialog.textDestination": "Scegli dove posizionare i grafici sparkline", + "SSE.Views.CreateSparklineDialog.textInvalidRange": "Intervallo di celle non valido", + "SSE.Views.CreateSparklineDialog.textSelectData": "Selezionare i dati", + "SSE.Views.CreateSparklineDialog.textTitle": "Creare grafico sparkline", + "SSE.Views.CreateSparklineDialog.txtEmpty": "Questo campo è obbligatorio", "SSE.Views.DataTab.capBtnGroup": "Raggruppa", "SSE.Views.DataTab.capBtnTextCustomSort": "Ordinamento personalizzato", "SSE.Views.DataTab.capBtnTextDataValidation": "Validazione dati", "SSE.Views.DataTab.capBtnTextRemDuplicates": "Rimuovi duplicati", "SSE.Views.DataTab.capBtnTextToCol": "Testo a colonne", "SSE.Views.DataTab.capBtnUngroup": "Separa", + "SSE.Views.DataTab.capDataFromText": "Da Testo/CSV", + "SSE.Views.DataTab.mniFromFile": "Ottenere i dati da file", + "SSE.Views.DataTab.mniFromUrl": "Ottenere i dati da URL", "SSE.Views.DataTab.textBelow": "Righe di riepilogo sotto i dettagli", "SSE.Views.DataTab.textClear": "Elimina contorno", "SSE.Views.DataTab.textColumns": "Separare le colonne", @@ -1606,6 +1694,7 @@ "SSE.Views.DataTab.textRightOf": "Colonne di riepilogo a destra dei dettagli", "SSE.Views.DataTab.textRows": "Separare le righe", "SSE.Views.DataTab.tipCustomSort": "Ordinamento personalizzato", + "SSE.Views.DataTab.tipDataFromText": "Ottenere i dati da file di testo o CSV", "SSE.Views.DataTab.tipDataValidation": "Validazione dati", "SSE.Views.DataTab.tipGroup": "Raggruppa intervallo di celle", "SSE.Views.DataTab.tipRemDuplicates": "Rimuovi le righe duplicate da un foglio", @@ -1729,6 +1818,7 @@ "SSE.Views.DocumentHolder.textArrangeForward": "Porta avanti", "SSE.Views.DocumentHolder.textArrangeFront": "Porta in primo piano", "SSE.Views.DocumentHolder.textAverage": "Media", + "SSE.Views.DocumentHolder.textBullets": "Elenchi puntati", "SSE.Views.DocumentHolder.textCount": "Conteggio", "SSE.Views.DocumentHolder.textCrop": "Ritaglia", "SSE.Views.DocumentHolder.textCropFill": "Riempimento", @@ -1741,11 +1831,13 @@ "SSE.Views.DocumentHolder.textFromStorage": "Da spazio di archiviazione", "SSE.Views.DocumentHolder.textFromUrl": "Da URL", "SSE.Views.DocumentHolder.textListSettings": "Impostazioni elenco", + "SSE.Views.DocumentHolder.textMacro": "Assegnare macro", "SSE.Views.DocumentHolder.textMax": "Max", "SSE.Views.DocumentHolder.textMin": "Min", "SSE.Views.DocumentHolder.textMore": "Altre funzioni", "SSE.Views.DocumentHolder.textMoreFormats": "Altri formati", "SSE.Views.DocumentHolder.textNone": "Nessuno", + "SSE.Views.DocumentHolder.textNumbering": "Numerazione", "SSE.Views.DocumentHolder.textReplace": "Sostituisci immagine", "SSE.Views.DocumentHolder.textRotate": "Ruota", "SSE.Views.DocumentHolder.textRotate270": "Ruota 90° a sinistra", @@ -1822,7 +1914,7 @@ "SSE.Views.DocumentHolder.txtSortFontColor": "Colore del carattere selezionato in cima", "SSE.Views.DocumentHolder.txtSparklines": "Sparkline", "SSE.Views.DocumentHolder.txtText": "Testo", - "SSE.Views.DocumentHolder.txtTextAdvanced": "Impostazioni avanzate testo", + "SSE.Views.DocumentHolder.txtTextAdvanced": "Impostazioni avanzate di paragrafo", "SSE.Views.DocumentHolder.txtTime": "Ora", "SSE.Views.DocumentHolder.txtUngroup": "Separa", "SSE.Views.DocumentHolder.txtWidth": "Larghezza", @@ -1902,7 +1994,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Separatore decimale", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Rapido", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Suggerimento per i caratteri", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Salva sempre sul server (altrimenti salva sul server alla chiusura del documento)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "‎Aggiungere la versione all'archivio dopo aver fatto clic su Salva o CTRL+S‎", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Lingua della Formula", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Esempio: SOMMA; MINIMO; MASSIMO; CONTEGGIO", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Attivare visualizzazione dei commenti", @@ -1927,15 +2019,21 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "Recupero automatico", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "Salvataggio automatico", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Disattivato", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Salva sul server", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Salvare versioni intermedie", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Ogni minuto", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Stile di riferimento", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBe": "Bielorusso", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBg": "Bulgaro", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCa": "Catalano", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCacheMode": "Modalità cache predefinita", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Centimetro", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCs": "Ceco", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDa": "Danese", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "Tedesco", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEl": "‎Greco‎", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "Inglese", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEs": "Spagnolo", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFi": "Finlandese", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "Francese", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtHu": "‎Ungherese‎", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtId": "Indonesiano", @@ -1948,16 +2046,27 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "‎Lettone‎", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "come su OS X", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Nativo", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNb": "Norvegese", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNl": "Olandese", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Polacco", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Punto", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "Portoghese", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRo": "Rumeno", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Russo", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacros": "Abilita tutto", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacrosDesc": "Abilita tutte le macro senza una notifica", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSk": "Slovacco", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSl": "Sloveno", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacros": "Disabilita tutto", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacrosDesc": "Disabilita tutte le macro senza notifica", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSv": "Svedese", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtTr": "Turco", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtUk": "Ucraino", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtVi": "Vietnamita", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacros": "Mostra notifica", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Disabilita tutte le macro con notifica", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "come su Windows", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Cinese", "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Applica", "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Lingua del dizionario", "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Ignora le parole in MAIUSCOLO", @@ -1978,10 +2087,148 @@ "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Generale", "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Impostazioni pagina", "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Controllo ortografico", + "SSE.Views.FormatRulesEditDlg.fillColor": "Colore di riempimento", + "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Avviso", + "SSE.Views.FormatRulesEditDlg.text2Scales": "2 Scala cromatica", + "SSE.Views.FormatRulesEditDlg.text3Scales": "3 Scala cromatica", + "SSE.Views.FormatRulesEditDlg.textAllBorders": "Tutti i bordi", + "SSE.Views.FormatRulesEditDlg.textAppearance": "Aspetto di barra", + "SSE.Views.FormatRulesEditDlg.textApply": "Applicare all'intervallo", + "SSE.Views.FormatRulesEditDlg.textAutomatic": "Automatico", + "SSE.Views.FormatRulesEditDlg.textAxis": "Asse", + "SSE.Views.FormatRulesEditDlg.textBarDirection": "Direzione di barra", + "SSE.Views.FormatRulesEditDlg.textBold": "Grassetto", + "SSE.Views.FormatRulesEditDlg.textBorder": "Bordo", + "SSE.Views.FormatRulesEditDlg.textBordersColor": "‎Colore bordi‎", + "SSE.Views.FormatRulesEditDlg.textBordersStyle": "Stile bordo", + "SSE.Views.FormatRulesEditDlg.textBottomBorders": "Bordi inferiori", + "SSE.Views.FormatRulesEditDlg.textCannotAddCF": "Impossibile aggiungere formattazione condizionale", + "SSE.Views.FormatRulesEditDlg.textCellMidpoint": "Punto medio di cella", + "SSE.Views.FormatRulesEditDlg.textCenterBorders": "Bordi interni verticali", + "SSE.Views.FormatRulesEditDlg.textClear": "Cancellare", + "SSE.Views.FormatRulesEditDlg.textColor": "Colore del testo", + "SSE.Views.FormatRulesEditDlg.textContext": "contesto", + "SSE.Views.FormatRulesEditDlg.textCustom": "Personalizzato", + "SSE.Views.FormatRulesEditDlg.textDiagDownBorder": "Bordo diagonale discendente", + "SSE.Views.FormatRulesEditDlg.textDiagUpBorder": "Bordo diagonale ascendente", + "SSE.Views.FormatRulesEditDlg.textEmptyFormula": "Inserisci una formula valida.", + "SSE.Views.FormatRulesEditDlg.textEmptyFormulaExt": "La formula inserita non valuta un numero, una data, un'ora o una stringa.", + "SSE.Views.FormatRulesEditDlg.textEmptyText": "Inserisci un valore.", + "SSE.Views.FormatRulesEditDlg.textEmptyValue": "Il valore inserito non è un numero, una data, un'ora o una stringa validi.", + "SSE.Views.FormatRulesEditDlg.textErrorGreater": "Il valore per il {0} deve essere maggiore del valore per il {1}.", + "SSE.Views.FormatRulesEditDlg.textErrorTop10Between": "Inserisci un numero tra {0} e {1}.", + "SSE.Views.FormatRulesEditDlg.textFill": "Riempire", + "SSE.Views.FormatRulesEditDlg.textFormat": "Formato", + "SSE.Views.FormatRulesEditDlg.textFormula": "Formula", + "SSE.Views.FormatRulesEditDlg.textGradient": "Gradiente", + "SSE.Views.FormatRulesEditDlg.textIconLabel": "quando {0} {1} e", + "SSE.Views.FormatRulesEditDlg.textIconLabelFirst": "quando {0} {1}", + "SSE.Views.FormatRulesEditDlg.textIconLabelLast": "quando valore è", + "SSE.Views.FormatRulesEditDlg.textIconsOverlap": "Sovrapposizione di uno o più intervalli di dati delle icone.
Aggiusta i valori dell'intervallo di dati delle icone in modo che gli intervalli non si sovrappongano.", + "SSE.Views.FormatRulesEditDlg.textIconStyle": "Stile di icone", + "SSE.Views.FormatRulesEditDlg.textInsideBorders": "Bordi interni", + "SSE.Views.FormatRulesEditDlg.textInvalid": "Intervallo di dati non valido", + "SSE.Views.FormatRulesEditDlg.textInvalidRange": "ERRORE! Intervallo di celle non valido", "SSE.Views.FormatRulesEditDlg.textItalic": "Corsivo", "SSE.Views.FormatRulesEditDlg.textItem": "Elemento", + "SSE.Views.FormatRulesEditDlg.textLeft2Right": "Bordi a destra", + "SSE.Views.FormatRulesEditDlg.textLeftBorders": "Bordo sinistro", + "SSE.Views.FormatRulesEditDlg.textLongBar": "Barra più lunga", + "SSE.Views.FormatRulesEditDlg.textMaximum": "Massimo", + "SSE.Views.FormatRulesEditDlg.textMaxpoint": "Punto massimo", + "SSE.Views.FormatRulesEditDlg.textMiddleBorders": "Bordi interni orizzontali", + "SSE.Views.FormatRulesEditDlg.textMidpoint": "Punto medio", + "SSE.Views.FormatRulesEditDlg.textMinimum": "Minimo", + "SSE.Views.FormatRulesEditDlg.textMinpoint": "Punto minimo", + "SSE.Views.FormatRulesEditDlg.textNegative": "Negativo", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Aggiungere un nuovo colore personalizzato", + "SSE.Views.FormatRulesEditDlg.textNoBorders": "Senza bordi", + "SSE.Views.FormatRulesEditDlg.textNone": "niente", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Uno o più dei valori specificati non è una percentuale valida.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentageExt": "Il valore specificato non è una percentuale valida.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentile": "Uno o più dei valori specificati non è una percentuale valida.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentileExt": "Il valore specificato {0} non è un percentile valido.", + "SSE.Views.FormatRulesEditDlg.textOutBorders": "Bordi esterni", + "SSE.Views.FormatRulesEditDlg.textPercent": "Percento", + "SSE.Views.FormatRulesEditDlg.textPercentile": "Percentile", + "SSE.Views.FormatRulesEditDlg.textPosition": "Posizione", + "SSE.Views.FormatRulesEditDlg.textPositive": "Positivo", + "SSE.Views.FormatRulesEditDlg.textPresets": "Preimpostazioni", + "SSE.Views.FormatRulesEditDlg.textPreview": "Anteprima", + "SSE.Views.FormatRulesEditDlg.textRelativeRef": "Non è possibile utilizzare riferimenti relativi in criteri di formattazione condizionale per scale cromatiche, barre di dati e set di icone.", + "SSE.Views.FormatRulesEditDlg.textReverse": "Ordine di icone inverso", + "SSE.Views.FormatRulesEditDlg.textRight2Left": "Da destra a sinistra", + "SSE.Views.FormatRulesEditDlg.textRightBorders": "Bordo destro", + "SSE.Views.FormatRulesEditDlg.textRule": "Regola", + "SSE.Views.FormatRulesEditDlg.textSameAs": "Uguale a positivo", + "SSE.Views.FormatRulesEditDlg.textSelectData": "Selezionare i dati", + "SSE.Views.FormatRulesEditDlg.textShortBar": "Barra più breve", + "SSE.Views.FormatRulesEditDlg.textShowBar": "Mostrare solo la barra", + "SSE.Views.FormatRulesEditDlg.textShowIcon": "Mostrare solo le icone", + "SSE.Views.FormatRulesEditDlg.textSingleRef": "Questo tipo di riferimento non può essere utilizzato in una formula di formattazione condizionale.
Cambia il riferimento ad una cella singola o usa il riferimento con una funzione di foglio di calcolo come =SUM(A1:B5).", + "SSE.Views.FormatRulesEditDlg.textSolid": "Solido", + "SSE.Views.FormatRulesEditDlg.textStrikeout": "Barrato", + "SSE.Views.FormatRulesEditDlg.textSubscript": "Pedice", + "SSE.Views.FormatRulesEditDlg.textSuperscript": "Apice", + "SSE.Views.FormatRulesEditDlg.textTopBorders": "Bordo superiore", + "SSE.Views.FormatRulesEditDlg.textUnderline": "Sottolineato", + "SSE.Views.FormatRulesEditDlg.tipBorders": "Bordi", + "SSE.Views.FormatRulesEditDlg.tipNumFormat": "Formato del numero", + "SSE.Views.FormatRulesEditDlg.txtAccounting": "Conteggio", + "SSE.Views.FormatRulesEditDlg.txtCurrency": "Valuta", + "SSE.Views.FormatRulesEditDlg.txtDate": "Data", + "SSE.Views.FormatRulesEditDlg.txtEmpty": "Questo campo è obbligatorio", + "SSE.Views.FormatRulesEditDlg.txtFraction": "Frazione", "SSE.Views.FormatRulesEditDlg.txtGeneral": "Generale", + "SSE.Views.FormatRulesEditDlg.txtNumber": "Numero", + "SSE.Views.FormatRulesEditDlg.txtPercentage": "Percentuale", + "SSE.Views.FormatRulesEditDlg.txtScientific": "Scientifico", + "SSE.Views.FormatRulesEditDlg.txtText": "Testo", + "SSE.Views.FormatRulesEditDlg.txtTime": "Ora", + "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.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", + "SSE.Views.FormatRulesManagerDlg.text2Below": "2 deviazioni standard sotto la media", + "SSE.Views.FormatRulesManagerDlg.text3Above": "3 deviazioni standard sopra la media", + "SSE.Views.FormatRulesManagerDlg.text3Below": "3 deviazioni standard sotto la media", + "SSE.Views.FormatRulesManagerDlg.textAbove": "Sopra la media", + "SSE.Views.FormatRulesManagerDlg.textApply": "Applica a", + "SSE.Views.FormatRulesManagerDlg.textBeginsWith": "Valore della cella inizia con", + "SSE.Views.FormatRulesManagerDlg.textBelow": "Sotto la media", + "SSE.Views.FormatRulesManagerDlg.textBetween": "è tra {0} e {1}", + "SSE.Views.FormatRulesManagerDlg.textCellValue": "Valore della cella", + "SSE.Views.FormatRulesManagerDlg.textColorScale": "Scala di colore graduale", + "SSE.Views.FormatRulesManagerDlg.textContains": "Valore della cella contiene", + "SSE.Views.FormatRulesManagerDlg.textContainsBlank": "Cella contiene un valore vuoto", + "SSE.Views.FormatRulesManagerDlg.textContainsError": "Cella contiene un errore", + "SSE.Views.FormatRulesManagerDlg.textDelete": "Eliminare", + "SSE.Views.FormatRulesManagerDlg.textDown": "Spostare la regola verso il basso", + "SSE.Views.FormatRulesManagerDlg.textDuplicate": "Duplicare valori", + "SSE.Views.FormatRulesManagerDlg.textEdit": "Modificare", + "SSE.Views.FormatRulesManagerDlg.textEnds": "Valore della cella termina con", + "SSE.Views.FormatRulesManagerDlg.textEqAbove": "Uguale o superiore alla media", + "SSE.Views.FormatRulesManagerDlg.textEqBelow": "Uguale o inferiore alla media", + "SSE.Views.FormatRulesManagerDlg.textFormat": "Formato", + "SSE.Views.FormatRulesManagerDlg.textIconSet": "Set di icone", + "SSE.Views.FormatRulesManagerDlg.textNew": "Nuovo", + "SSE.Views.FormatRulesManagerDlg.textNotBetween": "non è tra {0} e {1}", + "SSE.Views.FormatRulesManagerDlg.textNotContains": "Valore della cella non contiene", + "SSE.Views.FormatRulesManagerDlg.textNotContainsBlank": "Cella non contiene un valore vuoto", + "SSE.Views.FormatRulesManagerDlg.textNotContainsError": "Cella non contiene un errore", + "SSE.Views.FormatRulesManagerDlg.textRules": "Regole", + "SSE.Views.FormatRulesManagerDlg.textScope": "Mostrare le regole di formattazione per", + "SSE.Views.FormatRulesManagerDlg.textSelectData": "Selezionare i dati", + "SSE.Views.FormatRulesManagerDlg.textSelection": "Selezione corrente", + "SSE.Views.FormatRulesManagerDlg.textThisPivot": "Questo pivot", + "SSE.Views.FormatRulesManagerDlg.textThisSheet": "Questo foglio di calcolo", + "SSE.Views.FormatRulesManagerDlg.textThisTable": "Questa tabella", + "SSE.Views.FormatRulesManagerDlg.textUnique": "Valori unici", + "SSE.Views.FormatRulesManagerDlg.textUp": "Spostare la regola verso l'alto", + "SSE.Views.FormatRulesManagerDlg.tipIsLocked": "Questo elemento si sta modificando da un altro utente.", + "SSE.Views.FormatRulesManagerDlg.txtTitle": "Formattazione condizionale", "SSE.Views.FormatSettingsDialog.textCategory": "Categoria", "SSE.Views.FormatSettingsDialog.textDecimal": "Decimale", "SSE.Views.FormatSettingsDialog.textFormat": "Formato", @@ -2146,6 +2393,8 @@ "SSE.Views.LeftMenu.txtLimit": "‎Limita accesso‎", "SSE.Views.LeftMenu.txtTrial": "Modalità di prova", "SSE.Views.LeftMenu.txtTrialDev": "Prova Modalità sviluppatore", + "SSE.Views.MacroDialog.textMacro": "Nome di macro", + "SSE.Views.MacroDialog.textTitle": "Assegnare macro", "SSE.Views.MainSettingsPrint.okButtonText": "Salva", "SSE.Views.MainSettingsPrint.strBottom": "In basso", "SSE.Views.MainSettingsPrint.strLandscape": "Orizzontale", @@ -2430,7 +2679,7 @@ "SSE.Views.RightMenu.txtCellSettings": "impostazioni cella", "SSE.Views.RightMenu.txtChartSettings": "Impostazioni grafico", "SSE.Views.RightMenu.txtImageSettings": "Impostazioni immagine", - "SSE.Views.RightMenu.txtParagraphSettings": "Impostazioni testo", + "SSE.Views.RightMenu.txtParagraphSettings": "Impostazioni di paragrafo", "SSE.Views.RightMenu.txtPivotSettings": "Impostazioni tabella Pivot", "SSE.Views.RightMenu.txtSettings": "Impostazioni generali", "SSE.Views.RightMenu.txtShapeSettings": "Impostazioni forma", @@ -2847,6 +3096,7 @@ "SSE.Views.TextArtSettings.txtPapyrus": "Papiro", "SSE.Views.TextArtSettings.txtWood": "Legno", "SSE.Views.Toolbar.capBtnAddComment": "Aggiungi commento", + "SSE.Views.Toolbar.capBtnColorSchemas": "Schema di colori", "SSE.Views.Toolbar.capBtnComment": "Commento", "SSE.Views.Toolbar.capBtnInsHeader": "Intestazione/Piè di pagina", "SSE.Views.Toolbar.capBtnInsSlicer": "Filtro dati", @@ -2866,6 +3116,7 @@ "SSE.Views.Toolbar.capInsertHyperlink": "Collegamento ipertestuale", "SSE.Views.Toolbar.capInsertImage": "Immagine", "SSE.Views.Toolbar.capInsertShape": "Forma", + "SSE.Views.Toolbar.capInsertSpark": "Grafici sparkline", "SSE.Views.Toolbar.capInsertTable": "Tabella", "SSE.Views.Toolbar.capInsertText": "Casella di testo", "SSE.Views.Toolbar.mniImageFromFile": "Immagine da file", @@ -2889,8 +3140,11 @@ "SSE.Views.Toolbar.textBottomBorders": "Bordi inferiori", "SSE.Views.Toolbar.textCenterBorders": "Bordi verticali interni", "SSE.Views.Toolbar.textClearPrintArea": "Pulisci area di stampa", + "SSE.Views.Toolbar.textClearRule": "Cancellare le regole", "SSE.Views.Toolbar.textClockwise": "Angolo in senso orario", + "SSE.Views.Toolbar.textColorScales": "Scale cromatiche", "SSE.Views.Toolbar.textCounterCw": "Angolo in senso antiorario", + "SSE.Views.Toolbar.textDataBars": "Barre di dati", "SSE.Views.Toolbar.textDelLeft": "Sposta celle a sinistra", "SSE.Views.Toolbar.textDelUp": "Sposta celle in alto", "SSE.Views.Toolbar.textDiagDownBorder": "Bordo diagonale inferiore", @@ -2907,7 +3161,8 @@ "SSE.Views.Toolbar.textItems": "elementi", "SSE.Views.Toolbar.textLandscape": "Orizzontale", "SSE.Views.Toolbar.textLeft": "Sinistra:", - "SSE.Views.Toolbar.textLeftBorders": "Bordi a sinistra", + "SSE.Views.Toolbar.textLeftBorders": "Bordo sinistro", + "SSE.Views.Toolbar.textManageRule": "Gestire le regole", "SSE.Views.Toolbar.textManyPages": "Pagine", "SSE.Views.Toolbar.textMarginsLast": "Ultima personalizzazione", "SSE.Views.Toolbar.textMarginsNarrow": "Stretto", @@ -2917,6 +3172,7 @@ "SSE.Views.Toolbar.textMoreFormats": "Altri formati", "SSE.Views.Toolbar.textMorePages": "Più pagine", "SSE.Views.Toolbar.textNewColor": "Aggiungi Colore personalizzato", + "SSE.Views.Toolbar.textNewRule": "Nuova regola", "SSE.Views.Toolbar.textNoBorders": "Nessun bordo", "SSE.Views.Toolbar.textOnePage": "Pagina", "SSE.Views.Toolbar.textOutBorders": "Bordi esterni", @@ -2925,11 +3181,12 @@ "SSE.Views.Toolbar.textPrint": "Stampa", "SSE.Views.Toolbar.textPrintOptions": "Impostazioni stampa", "SSE.Views.Toolbar.textRight": "Destra:", - "SSE.Views.Toolbar.textRightBorders": "Bordi destri", + "SSE.Views.Toolbar.textRightBorders": "Bordo destro", "SSE.Views.Toolbar.textRotateDown": "Ruota testo verso il basso", "SSE.Views.Toolbar.textRotateUp": "Ruota testo verso l'alto", "SSE.Views.Toolbar.textScale": "Ridimensiona", "SSE.Views.Toolbar.textScaleCustom": "Personalizzato", + "SSE.Views.Toolbar.textSelection": "Dalla selezione corrente", "SSE.Views.Toolbar.textSetPrintArea": "Imposta area di stampa", "SSE.Views.Toolbar.textStrikeout": "Barrato", "SSE.Views.Toolbar.textSubscript": "Pedice", @@ -2944,6 +3201,9 @@ "SSE.Views.Toolbar.textTabLayout": "Layout di Pagina", "SSE.Views.Toolbar.textTabProtect": "Protezione", "SSE.Views.Toolbar.textTabView": "Visualizza", + "SSE.Views.Toolbar.textThisPivot": "Da questo pivot", + "SSE.Views.Toolbar.textThisSheet": "Da questo foglio di calcolo", + "SSE.Views.Toolbar.textThisTable": "Da questa tabella", "SSE.Views.Toolbar.textTop": "In alto:", "SSE.Views.Toolbar.textTopBorders": "Bordi superiori", "SSE.Views.Toolbar.textUnderline": "Sottolineato", @@ -2964,6 +3224,7 @@ "SSE.Views.Toolbar.tipChangeChart": "Cambia tipo di grafico", "SSE.Views.Toolbar.tipClearStyle": "Svuota", "SSE.Views.Toolbar.tipColorSchemas": "Cambia combinazione colori", + "SSE.Views.Toolbar.tipCondFormat": "Formattazione condizionale", "SSE.Views.Toolbar.tipCopy": "Copia", "SSE.Views.Toolbar.tipCopyStyle": "Copia stile", "SSE.Views.Toolbar.tipDecDecimal": "Diminuisci decimali", @@ -2991,6 +3252,7 @@ "SSE.Views.Toolbar.tipInsertOpt": "Inserisci celle", "SSE.Views.Toolbar.tipInsertShape": "Inserisci forma automatica", "SSE.Views.Toolbar.tipInsertSlicer": "Inserisci filtro dati", + "SSE.Views.Toolbar.tipInsertSpark": "Inserire grafico sparkline", "SSE.Views.Toolbar.tipInsertSymbol": "Inserisci simbolo", "SSE.Views.Toolbar.tipInsertTable": "Inserisci tabella", "SSE.Views.Toolbar.tipInsertText": "Inserisci casella di testo", @@ -3001,7 +3263,7 @@ "SSE.Views.Toolbar.tipPageOrient": "Orientamento pagina", "SSE.Views.Toolbar.tipPageSize": "Dimensione pagina", "SSE.Views.Toolbar.tipPaste": "Incolla", - "SSE.Views.Toolbar.tipPrColor": "Colore sfondo", + "SSE.Views.Toolbar.tipPrColor": "Colore di riempimento", "SSE.Views.Toolbar.tipPrint": "Stampa", "SSE.Views.Toolbar.tipPrintArea": "Area di stampa", "SSE.Views.Toolbar.tipPrintTitles": "Stampa titoli", diff --git a/apps/spreadsheeteditor/main/locale/nl.json b/apps/spreadsheeteditor/main/locale/nl.json index e7672af67..b85237986 100644 --- a/apps/spreadsheeteditor/main/locale/nl.json +++ b/apps/spreadsheeteditor/main/locale/nl.json @@ -48,6 +48,20 @@ "Common.define.chartData.textStock": "Voorraad", "Common.define.chartData.textSurface": "Oppervlak", "Common.define.chartData.textWinLossSpark": "Winst/verlies", + "Common.define.conditionalData.exampleText": "AaBbCcYyZz", + "Common.define.conditionalData.text1Above": "1 std dev boven", + "Common.define.conditionalData.text1Below": "1 std dev onder", + "Common.define.conditionalData.text2Above": "2 std dev boven", + "Common.define.conditionalData.text2Below": "2 std dev onder", + "Common.define.conditionalData.text3Above": "3 std dev boven", + "Common.define.conditionalData.text3Below": "3 std dev onder", + "Common.define.conditionalData.textAbove": "Boven", + "Common.define.conditionalData.textAverage": "Gemiddeld", + "Common.define.conditionalData.textBegins": "Begint met", + "Common.define.conditionalData.textBelow": "Onder", + "Common.define.conditionalData.textBetween": "Tussen", + "Common.define.conditionalData.textBlank": "Blanco", + "Common.define.conditionalData.textBottom": "Bodem", "Common.Translation.warnFileLocked": "Het bestand wordt bewerkt in een andere app. U kunt doorgaan met bewerken en als kopie opslaan.", "Common.UI.ColorButton.textAutoColor": "Automatisch", "Common.UI.ColorButton.textNewColor": "Nieuwe aangepaste kleur toevoegen", @@ -95,6 +109,7 @@ "Common.Views.About.txtVersion": "Versie", "Common.Views.AutoCorrectDialog.textAdd": "Toevoegen", "Common.Views.AutoCorrectDialog.textApplyAsWork": "Pas toe terwijl u werkt", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "AutoCorrectie", "Common.Views.AutoCorrectDialog.textAutoFormat": "AutoOpmaak terwijl u typt", "Common.Views.AutoCorrectDialog.textBy": "Door", "Common.Views.AutoCorrectDialog.textDelete": "Verwijder", @@ -612,6 +627,7 @@ "SSE.Controllers.Main.errorWrongOperator": "De ingevoerde formule bevat een fout. Verkeerde operator gebruikt.
Corrigeer de fout.", "SSE.Controllers.Main.errRemDuplicates": "Dubbele waarden gevonden en verwijderd: {0}, unieke waarden over: {1}.", "SSE.Controllers.Main.leavePageText": "Er zijn niet-opgeslagen wijzigingen in deze spreadsheet. Klik op 'Op deze pagina blijven' en dan op 'Opslaan' om de wijzigingen op te slaan. Klik op 'Pagina verlaten' om alle niet-opgeslagen wijzigingen te negeren.", + "SSE.Controllers.Main.leavePageTextOnClose": "Alle niet-opgeslagen wijzigingen in deze spreadsheet gaan verloren.
Klik op \"Annuleren\" en dan op \"Opslaan\" om ze op te slaan. Klik op \"OK\" om alle niet-opgeslagen wijzigingen te verwijderen.", "SSE.Controllers.Main.loadFontsTextText": "Gegevens worden geladen...", "SSE.Controllers.Main.loadFontsTitleText": "Gegevens worden geladen", "SSE.Controllers.Main.loadFontTextText": "Gegevens worden geladen...", @@ -691,6 +707,7 @@ "SSE.Controllers.Main.txtMinutes": "minuten", "SSE.Controllers.Main.txtMonths": "maanden", "SSE.Controllers.Main.txtMultiSelect": "Meerdere selecteren (Alt + S)", + "SSE.Controllers.Main.txtOr": "%1 of %2", "SSE.Controllers.Main.txtPage": "Pagina", "SSE.Controllers.Main.txtPageOf": "Pagina %1 van %2", "SSE.Controllers.Main.txtPages": "Pagina's", @@ -1728,6 +1745,7 @@ "SSE.Views.DocumentHolder.textFromStorage": "Van Opslag", "SSE.Views.DocumentHolder.textFromUrl": "Van URL", "SSE.Views.DocumentHolder.textListSettings": "Lijst instellingen", + "SSE.Views.DocumentHolder.textMacro": "Macro toewijzen", "SSE.Views.DocumentHolder.textMax": "Max", "SSE.Views.DocumentHolder.textMin": "Min", "SSE.Views.DocumentHolder.textMore": "Meer functies", @@ -1917,6 +1935,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Opslaan op server", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Elke minuut", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Referentie stijl", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBe": "Wit-Russisch", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCacheMode": "standaard cache modus", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Centimeter", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "Duits", @@ -1958,6 +1977,31 @@ "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Algemeen", "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Pagina-instellingen", "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Spellingcontrole", + "SSE.Views.FormatRulesEditDlg.fillColor": "Achtergrond kleur", + "SSE.Views.FormatRulesEditDlg.text2Scales": "2 Kleurenschaal", + "SSE.Views.FormatRulesEditDlg.text3Scales": "3 Kleurenschaal", + "SSE.Views.FormatRulesEditDlg.textAllBorders": "Alle grenzen", + "SSE.Views.FormatRulesEditDlg.textAppearance": "Uiterlijk van de bar", + "SSE.Views.FormatRulesEditDlg.textApply": "Solliciteer naar Bereik", + "SSE.Views.FormatRulesEditDlg.textAutomatic": "Automatisch", + "SSE.Views.FormatRulesEditDlg.textAxis": "Assen", + "SSE.Views.FormatRulesEditDlg.textBarDirection": "Bar richting", + "SSE.Views.FormatRulesEditDlg.textBold": "Vet", + "SSE.Views.FormatRulesEditDlg.textBorder": "Grens", + "SSE.Views.FormatRulesEditDlg.textBordersColor": "Randen Kleur", + "SSE.Views.FormatRulesEditDlg.textBordersStyle": "Rand Stijl", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Nieuwe aangepaste kleur toevoegen", + "SSE.Views.FormatRulesEditDlg.tipBorders": "Randen", + "SSE.Views.FormatRulesEditDlg.txtAccounting": "Boekhouding", + "SSE.Views.FormatRulesManagerDlg.text1Above": "1 std dev boven het gemiddelde", + "SSE.Views.FormatRulesManagerDlg.text1Below": "1 std dev onder het gemiddelde", + "SSE.Views.FormatRulesManagerDlg.text2Above": "2 std dev boven het gemiddelde", + "SSE.Views.FormatRulesManagerDlg.text2Below": "2 std dev onder het gemiddelde", + "SSE.Views.FormatRulesManagerDlg.text3Above": "3 std dev boven het gemiddelde", + "SSE.Views.FormatRulesManagerDlg.text3Below": "3 std dev onder het gemiddelde", + "SSE.Views.FormatRulesManagerDlg.textAbove": "Boven het gemiddelde", + "SSE.Views.FormatRulesManagerDlg.textApply": "Solliciteer naar", + "SSE.Views.FormatRulesManagerDlg.textBelow": "Onder het gemiddelde", "SSE.Views.FormatSettingsDialog.textCategory": "Categorie", "SSE.Views.FormatSettingsDialog.textDecimal": "Decimaal", "SSE.Views.FormatSettingsDialog.textFormat": "Opmaak", @@ -2121,6 +2165,7 @@ "SSE.Views.LeftMenu.txtLimit": "Beperk toegang", "SSE.Views.LeftMenu.txtTrial": "TEST MODUS", "SSE.Views.LeftMenu.txtTrialDev": "Proefontwikkelaarsmodus", + "SSE.Views.MacroDialog.textTitle": "Macro toewijzen", "SSE.Views.MainSettingsPrint.okButtonText": "Opslaan", "SSE.Views.MainSettingsPrint.strBottom": "Onder", "SSE.Views.MainSettingsPrint.strLandscape": "Liggend", diff --git a/apps/spreadsheeteditor/main/locale/pl.json b/apps/spreadsheeteditor/main/locale/pl.json index b8a6cbced..9a97c5d78 100644 --- a/apps/spreadsheeteditor/main/locale/pl.json +++ b/apps/spreadsheeteditor/main/locale/pl.json @@ -1489,7 +1489,7 @@ "SSE.Views.PrintSettings.textPrintGrid": "Drukuj siatkę", "SSE.Views.PrintSettings.textPrintHeadings": "Drukuj wiersze i kolumny", "SSE.Views.PrintSettings.textPrintRange": "Drukuj zakres", - "SSE.Views.PrintSettings.textSelection": "Wybrany", + "SSE.Views.PrintSettings.textSelection": "Zaznaczenie", "SSE.Views.PrintSettings.textSettings": "Ustawienia arkusza", "SSE.Views.PrintSettings.textShowDetails": "Pokaż szczegóły", "SSE.Views.PrintSettings.textShowGrid": "Pokaż linie siatki", diff --git a/apps/spreadsheeteditor/main/locale/pt.json b/apps/spreadsheeteditor/main/locale/pt.json index a406c8eb7..ecc982da3 100644 --- a/apps/spreadsheeteditor/main/locale/pt.json +++ b/apps/spreadsheeteditor/main/locale/pt.json @@ -983,7 +983,7 @@ "SSE.Controllers.Main.unsupportedBrowserErrorText": "Seu navegador não é suportado.", "SSE.Controllers.Main.uploadImageExtMessage": "Formato de imagem desconhecido.", "SSE.Controllers.Main.uploadImageFileCountMessage": "Sem imagens carregadas.", - "SSE.Controllers.Main.uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido.", + "SSE.Controllers.Main.uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido. O tamanho máximo é de 25 MB.", "SSE.Controllers.Main.uploadImageTextText": "Carregando imagem...", "SSE.Controllers.Main.uploadImageTitleText": "Carregando imagem", "SSE.Controllers.Main.waitText": "Aguarde...", @@ -1429,7 +1429,7 @@ "SSE.Views.CellSettings.strWrap": "Ajustar texto", "SSE.Views.CellSettings.textAngle": "Ângulo", "SSE.Views.CellSettings.textBackColor": "Cor de fundo", - "SSE.Views.CellSettings.textBackground": "Cor de fundo", + "SSE.Views.CellSettings.textBackground": "Cor do plano de fundo", "SSE.Views.CellSettings.textBorderColor": "Cor", "SSE.Views.CellSettings.textBorders": "Estilo das bordas", "SSE.Views.CellSettings.textClearRule": "Regras claras", @@ -2087,7 +2087,7 @@ "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Geral", "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Configurações de página", "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Verificação ortográfica", - "SSE.Views.FormatRulesEditDlg.fillColor": "Cor do plano de fundo", + "SSE.Views.FormatRulesEditDlg.fillColor": "Cor de preenchimento", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Aviso", "SSE.Views.FormatRulesEditDlg.text2Scales": "Escala Bicolor", "SSE.Views.FormatRulesEditDlg.text3Scales": "Escala Tricolor", @@ -3263,7 +3263,7 @@ "SSE.Views.Toolbar.tipPageOrient": "Orientação da página", "SSE.Views.Toolbar.tipPageSize": "Tamanho da página", "SSE.Views.Toolbar.tipPaste": "Colar", - "SSE.Views.Toolbar.tipPrColor": "Cor do plano de fundo", + "SSE.Views.Toolbar.tipPrColor": "Cor de preenchimento", "SSE.Views.Toolbar.tipPrint": "Imprimir", "SSE.Views.Toolbar.tipPrintArea": "Área de impressão", "SSE.Views.Toolbar.tipPrintTitles": "Imprimir títulos", diff --git a/apps/spreadsheeteditor/main/locale/ro.json b/apps/spreadsheeteditor/main/locale/ro.json index 1cd00ac47..ed82fffb2 100644 --- a/apps/spreadsheeteditor/main/locale/ro.json +++ b/apps/spreadsheeteditor/main/locale/ro.json @@ -49,6 +49,7 @@ "Common.define.chartData.textSurface": "Suprafața", "Common.define.chartData.textWinLossSpark": "Câștig/pierdere", "Common.define.conditionalData.exampleText": "AaBbCcYyZz", + "Common.define.conditionalData.noFormatText": "Niciun format definit ", "Common.define.conditionalData.text1Above": "1 abatere standard deasupra", "Common.define.conditionalData.text1Below": "1 abatere standard dedesubt ", "Common.define.conditionalData.text2Above": "2 abateri standard deasupra", @@ -78,10 +79,18 @@ "Common.define.conditionalData.textGreaterEq": "Mai mare sau egal", "Common.define.conditionalData.textIconSets": "Ansamble de icoane", "Common.define.conditionalData.textLast7days": "În ultimele 7 zile", + "Common.define.conditionalData.textLastMonth": "Ultima lună", + "Common.define.conditionalData.textLastWeek": "Săptămâna anterioară", + "Common.define.conditionalData.textLess": "Mai mic decât", "Common.define.conditionalData.textLessEq": "Mai mic sau egal", + "Common.define.conditionalData.textNextMonth": "Luna următoare", + "Common.define.conditionalData.textNextWeek": "Săptămâna următoare", + "Common.define.conditionalData.textNotBetween": "nu între", "Common.define.conditionalData.textNotBlanks": "Nu conțime celule goale", "Common.define.conditionalData.textNotContains": "Nu conține", + "Common.define.conditionalData.textNotEqual": "Nu este egal cu", "Common.define.conditionalData.textNotErrors": "Nu conține erori", + "Common.define.conditionalData.textText": "Text", "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", @@ -138,6 +147,7 @@ "Common.Views.AutoCorrectDialog.textAutoFormat": "Formatare automată la tastare", "Common.Views.AutoCorrectDialog.textBy": "După", "Common.Views.AutoCorrectDialog.textDelete": "Ștergere", + "Common.Views.AutoCorrectDialog.textHyperlink": "Căi Internet și de rețea cu hyperlink-uri", "Common.Views.AutoCorrectDialog.textMathCorrect": "Autocorecție matematică", "Common.Views.AutoCorrectDialog.textNewRowCol": "Inserare de rânduri și coloane noi în tabel", "Common.Views.AutoCorrectDialog.textRecognized": "Funcțiile recunoscute", @@ -221,6 +231,8 @@ "Common.Views.ListSettingsDialog.txtTitle": "Setări lista", "Common.Views.ListSettingsDialog.txtType": "Tip", "Common.Views.OpenDialog.closeButtonText": "Închide fișierul", + "Common.Views.OpenDialog.textInvalidRange": "Zona de celule nu este validă", + "Common.Views.OpenDialog.textSelectData": "Selectare date", "Common.Views.OpenDialog.txtAdvanced": "Avansat", "Common.Views.OpenDialog.txtColon": "Două puncte", "Common.Views.OpenDialog.txtComma": "Virgulă", @@ -272,6 +284,8 @@ "Common.Views.ReviewChanges.tipCoAuthMode": "Activare modul de colaborare", "Common.Views.ReviewChanges.tipCommentRem": "Ștergere comentarii", "Common.Views.ReviewChanges.tipCommentRemCurrent": "Se șterg aceste comentarii", + "Common.Views.ReviewChanges.tipCommentResolve": "Soluționare comentarii", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Soluționarea comentariilor curente", "Common.Views.ReviewChanges.tipHistory": "Afișare istoricul versiunei", "Common.Views.ReviewChanges.tipRejectCurrent": "Respinge modificare", "Common.Views.ReviewChanges.tipReview": "Urmărirea modificărilor", @@ -291,6 +305,11 @@ "Common.Views.ReviewChanges.txtCommentRemMy": "Se șterg comentariile mele", "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Se șterg comentariile mele curente", "Common.Views.ReviewChanges.txtCommentRemove": "Ștergere", + "Common.Views.ReviewChanges.txtCommentResolve": "Soluționare", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Marchează toate comentarii ca soluționate", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Soluționarea comentariilor curente", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Soluționarea comentariilor mele", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Soluționarea comentariilor mele curente", "Common.Views.ReviewChanges.txtDocLang": "Limbă", "Common.Views.ReviewChanges.txtFinal": "Toate modificările sunt acceptate (Previzualizare)", "Common.Views.ReviewChanges.txtFinalCap": "Final", @@ -384,6 +403,7 @@ "SSE.Controllers.DataTab.txtExpand": "Extindere", "SSE.Controllers.DataTab.txtExpandRemDuplicates": "Datele lângă selecție nu se vor elimina. Doriți să extindeți selecția pentru a include datele adiacente sau doriți să continuați cu selecția curentă?", "SSE.Controllers.DataTab.txtExtendDataValidation": "Zona selectată conține celulele pentru care regulile de validare a datelor nu sunt configutare.
Doriți să aplicați regulile de validare acestor celule?", + "SSE.Controllers.DataTab.txtImportWizard": "Expertul import text", "SSE.Controllers.DataTab.txtRemDuplicates": "Eliminare dubluri", "SSE.Controllers.DataTab.txtRemoveDataValidation": "Zona selectată conține mai multe tipuri de validare.
Vreți să ștergeți setările curente și să continuați? ", "SSE.Controllers.DataTab.txtRemSelected": "Continuare în selecția curentă", @@ -1005,7 +1025,9 @@ "SSE.Controllers.Toolbar.textOperator": "Operatori", "SSE.Controllers.Toolbar.textPivot": "Tabelă Pivot", "SSE.Controllers.Toolbar.textRadical": "Radicale", + "SSE.Controllers.Toolbar.textRating": "Evaluări", "SSE.Controllers.Toolbar.textScript": "Scripturile", + "SSE.Controllers.Toolbar.textShapes": "Forme", "SSE.Controllers.Toolbar.textSymbols": "Simboluri", "SSE.Controllers.Toolbar.textWarning": "Avertisment", "SSE.Controllers.Toolbar.txtAccent_Accent": "Ascuțit", @@ -1412,7 +1434,10 @@ "SSE.Views.CellSettings.textGradientColor": "Culoare", "SSE.Views.CellSettings.textGradientFill": "Umplere gradient", "SSE.Views.CellSettings.textIndent": "Indentare", + "SSE.Views.CellSettings.textItems": "Elemente", "SSE.Views.CellSettings.textLinear": "Liniar", + "SSE.Views.CellSettings.textManageRule": "Gestionare reguli", + "SSE.Views.CellSettings.textNewRule": "Nouă regilă", "SSE.Views.CellSettings.textNoFill": "Fără umplere", "SSE.Views.CellSettings.textOrientation": "Orientarea textului", "SSE.Views.CellSettings.textPattern": "Model", @@ -1635,7 +1660,10 @@ "SSE.Views.CreatePivotDialog.textSelectData": "Selectare date", "SSE.Views.CreatePivotDialog.textTitle": "Creare tabel Pivot", "SSE.Views.CreatePivotDialog.txtEmpty": "Câmp obligatoriu", + "SSE.Views.CreateSparklineDialog.textDataRange": "Zonă de date sursă", "SSE.Views.CreateSparklineDialog.textDestination": "Alegeți locul unde se va plasa diagrama sparkline", + "SSE.Views.CreateSparklineDialog.textInvalidRange": "Zona de celule nu este validă", + "SSE.Views.CreateSparklineDialog.textSelectData": "Selectare date", "SSE.Views.CreateSparklineDialog.textTitle": "Creare diagrame sparkline", "SSE.Views.DataTab.capBtnGroup": "Grupare", "SSE.Views.DataTab.capBtnTextCustomSort": "Sortare particularizată", @@ -1797,6 +1825,7 @@ "SSE.Views.DocumentHolder.textMore": "Mai multe funcții", "SSE.Views.DocumentHolder.textMoreFormats": "Mai multe formate", "SSE.Views.DocumentHolder.textNone": "Niciunul", + "SSE.Views.DocumentHolder.textNumbering": "Numerotare", "SSE.Views.DocumentHolder.textReplace": "Înlocuire imagine", "SSE.Views.DocumentHolder.textRotate": "Rotire", "SSE.Views.DocumentHolder.textRotate270": "Rotire 90° în sens contrar acelor de ceasornic", @@ -1953,7 +1982,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Separator zecimal", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Rapid", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Sugestie font", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Se salvează întotdeauna pe server (altfel utilizați metoda document close pentru salvare)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Versiunea se adaugă la stocarea după ce faceți clic pe Salvare sau Ctrl+S", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Limba formulă", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Exemplu: SUM; MIN; MAX; COUNT", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Activarea afișare comentarii", @@ -1978,7 +2007,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "Recuperare automată", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "Salvare automată", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Dezactivat", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Salvare pe server", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Salvarea versiunilor intermediare", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "La fiecare minută", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Stil referință", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBe": "Belarusă", @@ -1998,17 +2027,27 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtId": "Indoneziană", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Inch", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italiană", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japoneză", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Coreeană", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Afișare comentarii", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Laoțiană", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Letonă", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "ca OS X", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Sursă", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNb": "Norvegiană", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNl": "Neerlandeză", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Poloneză", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Punct", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "Portugheză", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRo": "Română", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Rusă", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacros": "Se activează toate", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacrosDesc": "Se activează toate macrocomenzile, fără notificare", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSk": "Slovacă", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSl": "Slovenă", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacros": "Se dezactivează toate", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacrosDesc": "Se dezactivează toate macrocomenzile, fără notificare", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSv": "Suedeză", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacros": "Afișare notificări", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Se dezactivează toate macrocomenzile, cu notificare ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "ca Windows", @@ -2033,7 +2072,7 @@ "SSE.Views.FileMenuPanels.Settings.txtGeneral": "General", "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Setare pagină", "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Verificarea ortografică", - "SSE.Views.FormatRulesEditDlg.fillColor": "Culoare de fundal", + "SSE.Views.FormatRulesEditDlg.fillColor": "Culoare de umplere", "SSE.Views.FormatRulesEditDlg.text2Scales": "Scară cu două culori", "SSE.Views.FormatRulesEditDlg.text3Scales": "Scară cu trei culori", "SSE.Views.FormatRulesEditDlg.textAllBorders": "Toate borduri", @@ -2051,6 +2090,7 @@ "SSE.Views.FormatRulesEditDlg.textCellMidpoint": "Punctul central al celulei", "SSE.Views.FormatRulesEditDlg.textCenterBorders": "Bordurile verticale în interiorul ", "SSE.Views.FormatRulesEditDlg.textClear": "Golire", + "SSE.Views.FormatRulesEditDlg.textColor": "Culoare text", "SSE.Views.FormatRulesEditDlg.textContext": "Context", "SSE.Views.FormatRulesEditDlg.textCustom": "Particularizat", "SSE.Views.FormatRulesEditDlg.textDiagDownBorder": "Bordură diagonală descendentă", @@ -2062,19 +2102,61 @@ "SSE.Views.FormatRulesEditDlg.textFormat": "Formatare", "SSE.Views.FormatRulesEditDlg.textFormula": "Formula", "SSE.Views.FormatRulesEditDlg.textGradient": "Gradient", + "SSE.Views.FormatRulesEditDlg.textIconsOverlap": "Datele din una sau mai multe zone de pictograme se suprapun.
Ajustați valorile pentru zonele de pictograme ca zonele să nu se suprapună.", "SSE.Views.FormatRulesEditDlg.textIconStyle": "Stil icoană", "SSE.Views.FormatRulesEditDlg.textInsideBorders": "Borduri în interiorul ", + "SSE.Views.FormatRulesEditDlg.textInvalid": "Zona de date nevalidă.", "SSE.Views.FormatRulesEditDlg.textInvalidRange": "EROARE! Zonă de celule nu este validă", + "SSE.Views.FormatRulesEditDlg.textItalic": "Cursiv", "SSE.Views.FormatRulesEditDlg.textItem": "Element", + "SSE.Views.FormatRulesEditDlg.textLeft2Right": "De la stânga la dreapta", + "SSE.Views.FormatRulesEditDlg.textLeftBorders": "Bordură la stânga", + "SSE.Views.FormatRulesEditDlg.textLongBar": "bară cea mai lungă ", + "SSE.Views.FormatRulesEditDlg.textMaximum": "Maxim", + "SSE.Views.FormatRulesEditDlg.textMaxpoint": "Punct maxim", "SSE.Views.FormatRulesEditDlg.textMiddleBorders": "Bordurile orizontale în interiorul ", + "SSE.Views.FormatRulesEditDlg.textMidpoint": "Punct median", + "SSE.Views.FormatRulesEditDlg.textMinimum": "Minim", + "SSE.Views.FormatRulesEditDlg.textMinpoint": "Punct minim", + "SSE.Views.FormatRulesEditDlg.textNegative": "Negativ", "SSE.Views.FormatRulesEditDlg.textNewColor": "Adăugarea unei culori particularizate noi", + "SSE.Views.FormatRulesEditDlg.textNoBorders": "Fără borduri", + "SSE.Views.FormatRulesEditDlg.textNone": "Niciunul", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Una sau mai multe valori specificate sunt valorile procentuale nevalide", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentile": "Una sau mail multe valori specificate sunt valorile de percentilă nevalide.", + "SSE.Views.FormatRulesEditDlg.textOutBorders": "Borduri în exteriorul", + "SSE.Views.FormatRulesEditDlg.textPercent": "Procent", + "SSE.Views.FormatRulesEditDlg.textPercentile": "Percentilă", + "SSE.Views.FormatRulesEditDlg.textPosition": "Poziție", + "SSE.Views.FormatRulesEditDlg.textPositive": "Pozitiv", + "SSE.Views.FormatRulesEditDlg.textPresets": "Presetări", + "SSE.Views.FormatRulesEditDlg.textPreview": "Previzualizare", + "SSE.Views.FormatRulesEditDlg.textReverse": "Ordine pictograme inversată", + "SSE.Views.FormatRulesEditDlg.textRight2Left": "Dreapta la stânga", + "SSE.Views.FormatRulesEditDlg.textRightBorders": "Borduri din dreapta", + "SSE.Views.FormatRulesEditDlg.textRule": "Regulă", + "SSE.Views.FormatRulesEditDlg.textSameAs": "La fel ca pozitiv", + "SSE.Views.FormatRulesEditDlg.textSelectData": "Selectare date", + "SSE.Views.FormatRulesEditDlg.textShortBar": "bară cea mai scurtă", + "SSE.Views.FormatRulesEditDlg.textShowBar": "Se afișează doar bara", + "SSE.Views.FormatRulesEditDlg.textShowIcon": "Se afișează doar pictograma", + "SSE.Views.FormatRulesEditDlg.textSolid": "Solidă", + "SSE.Views.FormatRulesEditDlg.textStrikeout": "Tăiere cu o linie", + "SSE.Views.FormatRulesEditDlg.textSubscript": "Indice", + "SSE.Views.FormatRulesEditDlg.textSuperscript": "Exponent", "SSE.Views.FormatRulesEditDlg.tipBorders": "Borduri", + "SSE.Views.FormatRulesEditDlg.tipNumFormat": "Formatul de număr", "SSE.Views.FormatRulesEditDlg.txtAccounting": "Contabilitate", "SSE.Views.FormatRulesEditDlg.txtCurrency": "Monedă", "SSE.Views.FormatRulesEditDlg.txtDate": "Dată", "SSE.Views.FormatRulesEditDlg.txtFraction": "Fracție", "SSE.Views.FormatRulesEditDlg.txtGeneral": "General", + "SSE.Views.FormatRulesEditDlg.txtNumber": "Număr", + "SSE.Views.FormatRulesEditDlg.txtPercentage": "Procentaj", + "SSE.Views.FormatRulesEditDlg.txtScientific": "Științific ", + "SSE.Views.FormatRulesEditDlg.txtText": "Text", "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Editare regulă de formatare", + "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Nouă regulă de formatare", "SSE.Views.FormatRulesManagerDlg.guestText": "Invitat", "SSE.Views.FormatRulesManagerDlg.text1Above": "1 abatere standard deasupra medie", "SSE.Views.FormatRulesManagerDlg.text1Below": "1 abatere standard sub medie", @@ -2086,12 +2168,14 @@ "SSE.Views.FormatRulesManagerDlg.textApply": "Se aplică la", "SSE.Views.FormatRulesManagerDlg.textBeginsWith": "Valoarea din celulă se începe cu", "SSE.Views.FormatRulesManagerDlg.textBelow": "Sub medie", + "SSE.Views.FormatRulesManagerDlg.textBetween": "este între {0} și {1}", "SSE.Views.FormatRulesManagerDlg.textCellValue": "Valoarea din celulă", "SSE.Views.FormatRulesManagerDlg.textColorScale": "Scală de culoare cu gradare ", "SSE.Views.FormatRulesManagerDlg.textContains": "Valoarea din celulă conține", "SSE.Views.FormatRulesManagerDlg.textContainsBlank": "Celula canține o valorae goală", "SSE.Views.FormatRulesManagerDlg.textContainsError": "Celula conține o eroare", "SSE.Views.FormatRulesManagerDlg.textDelete": "Ștergere", + "SSE.Views.FormatRulesManagerDlg.textDown": "Mutare regulă în jos", "SSE.Views.FormatRulesManagerDlg.textDuplicate": "Valori duble", "SSE.Views.FormatRulesManagerDlg.textEdit": "Editare", "SSE.Views.FormatRulesManagerDlg.textEnds": "Valoarea din celulă se termină cu", @@ -2099,11 +2183,17 @@ "SSE.Views.FormatRulesManagerDlg.textEqBelow": "Egal cu sau sub medie", "SSE.Views.FormatRulesManagerDlg.textFormat": "Formatare", "SSE.Views.FormatRulesManagerDlg.textIconSet": "Ansamblul de icoane", + "SSE.Views.FormatRulesManagerDlg.textNew": "Nou", + "SSE.Views.FormatRulesManagerDlg.textNotBetween": "nu este între {0} și {1}", "SSE.Views.FormatRulesManagerDlg.textNotContains": "Valoarea din celulă nu conține", "SSE.Views.FormatRulesManagerDlg.textNotContainsBlank": "Celula nu conține nicio valoare goală", "SSE.Views.FormatRulesManagerDlg.textNotContainsError": "Celula nu conține nicio eroare", + "SSE.Views.FormatRulesManagerDlg.textRules": "Reguli", + "SSE.Views.FormatRulesManagerDlg.textScope": "Afișare reguli formatare pentru", + "SSE.Views.FormatRulesManagerDlg.textSelectData": "Selectare date", "SSE.Views.FormatRulesManagerDlg.textSelection": "Selecția curentă", "SSE.Views.FormatRulesManagerDlg.textThisTable": "Acest tabel", + "SSE.Views.FormatRulesManagerDlg.textUp": "Mutare regulă în sus", "SSE.Views.FormatRulesManagerDlg.txtTitle": "Formatarea condiționată", "SSE.Views.FormatSettingsDialog.textCategory": "Categorie", "SSE.Views.FormatSettingsDialog.textDecimal": "Zecimal", @@ -2269,6 +2359,7 @@ "SSE.Views.LeftMenu.txtLimit": "Limitare acces", "SSE.Views.LeftMenu.txtTrial": "PERIOADĂ DE PROBĂ", "SSE.Views.LeftMenu.txtTrialDev": "Mod dezvoltator de încercare", + "SSE.Views.MacroDialog.textMacro": "Nume macro", "SSE.Views.MacroDialog.textTitle": "Asocierea macrocomenzii", "SSE.Views.MainSettingsPrint.okButtonText": "Salvează", "SSE.Views.MainSettingsPrint.strBottom": "Jos", @@ -2991,6 +3082,7 @@ "SSE.Views.Toolbar.capInsertHyperlink": "Hyperlink", "SSE.Views.Toolbar.capInsertImage": "Imagine", "SSE.Views.Toolbar.capInsertShape": "Forma", + "SSE.Views.Toolbar.capInsertSpark": "Diagrame sparkline", "SSE.Views.Toolbar.capInsertTable": "Tabel", "SSE.Views.Toolbar.capInsertText": "Casetă text", "SSE.Views.Toolbar.mniImageFromFile": "Imaginea din fișier", @@ -3032,9 +3124,11 @@ "SSE.Views.Toolbar.textInsideBorders": "Borduri în interiorul ", "SSE.Views.Toolbar.textInsRight": "Deplasare celule la dreapta", "SSE.Views.Toolbar.textItalic": "Cursiv", + "SSE.Views.Toolbar.textItems": "Elemente", "SSE.Views.Toolbar.textLandscape": "Vedere", "SSE.Views.Toolbar.textLeft": "Stânga:", "SSE.Views.Toolbar.textLeftBorders": "Bordură la stânga", + "SSE.Views.Toolbar.textManageRule": "Gestionare reguli", "SSE.Views.Toolbar.textManyPages": "pagini", "SSE.Views.Toolbar.textMarginsLast": "Ultima setare particularizată", "SSE.Views.Toolbar.textMarginsNarrow": "Îngust", @@ -3044,6 +3138,7 @@ "SSE.Views.Toolbar.textMoreFormats": "Mai multe formate", "SSE.Views.Toolbar.textMorePages": "Mai multe pagini", "SSE.Views.Toolbar.textNewColor": "Сuloare particularizată", + "SSE.Views.Toolbar.textNewRule": "Nouă regulă", "SSE.Views.Toolbar.textNoBorders": "Fără borduri", "SSE.Views.Toolbar.textOnePage": "pagina", "SSE.Views.Toolbar.textOutBorders": "Borduri în exteriorul", @@ -3134,7 +3229,7 @@ "SSE.Views.Toolbar.tipPageOrient": "Orientare pagină", "SSE.Views.Toolbar.tipPageSize": "Dimensiune pagină", "SSE.Views.Toolbar.tipPaste": "Lipire", - "SSE.Views.Toolbar.tipPrColor": "Culoare de fundal", + "SSE.Views.Toolbar.tipPrColor": "Culoare de umplere", "SSE.Views.Toolbar.tipPrint": "Imprimare", "SSE.Views.Toolbar.tipPrintArea": "Zonă de imprimat", "SSE.Views.Toolbar.tipPrintTitles": "Imprimare titluri", diff --git a/apps/spreadsheeteditor/main/locale/ru.json b/apps/spreadsheeteditor/main/locale/ru.json index 50946ceb9..244334005 100644 --- a/apps/spreadsheeteditor/main/locale/ru.json +++ b/apps/spreadsheeteditor/main/locale/ru.json @@ -218,7 +218,7 @@ "Common.Views.Header.tipSave": "Сохранить", "Common.Views.Header.tipUndo": "Отменить", "Common.Views.Header.tipUndock": "Открепить в отдельном окне", - "Common.Views.Header.tipViewSettings": "Параметры представления", + "Common.Views.Header.tipViewSettings": "Параметры вида", "Common.Views.Header.tipViewUsers": "Просмотр пользователей и управление правами доступа к документу", "Common.Views.Header.txtAccessRights": "Изменить права доступа", "Common.Views.Header.txtRename": "Переименовать", @@ -599,6 +599,7 @@ "SSE.Controllers.LeftMenu.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян.
Вы действительно хотите продолжить?", "SSE.Controllers.Main.confirmMoveCellRange": "Конечный диапазон ячеек может содержать данные. Продолжить операцию?", "SSE.Controllers.Main.confirmPutMergeRange": "Исходные данные содержали объединенные ячейки.
Перед вставкой этих ячеек в таблицу объединение было отменено.", + "SSE.Controllers.Main.confirmReplaceFormulaInTable": "Формулы в строке заголовка будут удалены и преобразованы в статический текст.
Вы хотите продолжить?", "SSE.Controllers.Main.convertationTimeoutText": "Превышено время ожидания конвертации.", "SSE.Controllers.Main.criticalErrorExtText": "Нажмите \"OK\", чтобы вернуться к списку документов.", "SSE.Controllers.Main.criticalErrorTitle": "Ошибка", @@ -983,7 +984,7 @@ "SSE.Controllers.Main.unsupportedBrowserErrorText": "Ваш браузер не поддерживается.", "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": "Пожалуйста, подождите...", @@ -2087,7 +2088,7 @@ "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Общие", "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Параметры страницы", "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Проверка орфографии", - "SSE.Views.FormatRulesEditDlg.fillColor": "Цвет фона", + "SSE.Views.FormatRulesEditDlg.fillColor": "Цвет заливки", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Внимание", "SSE.Views.FormatRulesEditDlg.text2Scales": "Двухцветная шкала", "SSE.Views.FormatRulesEditDlg.text3Scales": "Трехцветная шкала", @@ -2180,6 +2181,7 @@ "SSE.Views.FormatRulesEditDlg.txtEmpty": "Это поле необходимо заполнить", "SSE.Views.FormatRulesEditDlg.txtFraction": "Дробный", "SSE.Views.FormatRulesEditDlg.txtGeneral": "Общий", + "SSE.Views.FormatRulesEditDlg.txtNoCellIcon": "Без значка", "SSE.Views.FormatRulesEditDlg.txtNumber": "Числовой", "SSE.Views.FormatRulesEditDlg.txtPercentage": "Процент", "SSE.Views.FormatRulesEditDlg.txtScientific": "Научный", @@ -3200,7 +3202,7 @@ "SSE.Views.Toolbar.textTabInsert": "Вставка", "SSE.Views.Toolbar.textTabLayout": "Макет", "SSE.Views.Toolbar.textTabProtect": "Защита", - "SSE.Views.Toolbar.textTabView": "Представление", + "SSE.Views.Toolbar.textTabView": "Вид", "SSE.Views.Toolbar.textThisPivot": "Из этой сводной таблицы", "SSE.Views.Toolbar.textThisSheet": "Из этого листа", "SSE.Views.Toolbar.textThisTable": "Из этой таблицы", @@ -3263,7 +3265,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": "Печатать заголовки", @@ -3328,6 +3330,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": "Официальная", @@ -3404,9 +3407,13 @@ "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.textManager": "Диспетчер представлений", + "SSE.Views.ViewTab.textUnFreeze": "Снять закрепление областей", + "SSE.Views.ViewTab.textZeros": "Отображать нули", "SSE.Views.ViewTab.textZoom": "Масштаб", "SSE.Views.ViewTab.tipClose": "Закрыть представление листа", "SSE.Views.ViewTab.tipCreate": "Создать представление листа", diff --git a/apps/spreadsheeteditor/main/locale/sl.json b/apps/spreadsheeteditor/main/locale/sl.json index e3fb9f152..10cc3044a 100644 --- a/apps/spreadsheeteditor/main/locale/sl.json +++ b/apps/spreadsheeteditor/main/locale/sl.json @@ -11,6 +11,20 @@ "Common.define.chartData.textPie": "Tortni grafikon", "Common.define.chartData.textPoint": "Točkovni grafikon", "Common.define.chartData.textStock": "Založni grafikon", + "Common.define.conditionalData.exampleText": "AaBbCcYyZz", + "Common.define.conditionalData.textAbove": "Nad", + "Common.define.conditionalData.textAverage": "Povprečje", + "Common.define.conditionalData.textBegins": "Se začne z", + "Common.define.conditionalData.textBelow": "Pod", + "Common.define.conditionalData.textBetween": "Med", + "Common.define.conditionalData.textBlank": "Prazen", + "Common.define.conditionalData.textBottom": "Spodaj", + "Common.define.conditionalData.textDate": "Datum", + "Common.define.conditionalData.textError": "Napaka", + "Common.define.conditionalData.textFormula": "Formula", + "Common.define.conditionalData.textNotContains": "Ne vsebuje", + "Common.Translation.warnFileLockedBtnEdit": "Ustvari kopijo", + "Common.UI.ColorButton.textAutoColor": "Samodejeno", "Common.UI.ColorButton.textNewColor": "Dodaj novo barvo po meri", "Common.UI.ComboBorderSize.txtNoBorders": "Ni mej", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Ni mej", @@ -32,6 +46,7 @@ "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.Themes.txtThemeDark": "Temen", "Common.UI.Window.cancelButtonText": "Prekliči", "Common.UI.Window.closeButtonText": "Zapri", "Common.UI.Window.noButtonText": "Ne", @@ -51,8 +66,10 @@ "Common.Views.About.txtTel": "tel.: ", "Common.Views.About.txtVersion": "Različica", "Common.Views.AutoCorrectDialog.textAdd": "Dodaj", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Samodejno popravljanje", "Common.Views.AutoCorrectDialog.textBy": "Od", "Common.Views.AutoCorrectDialog.textDelete": "Izbriši", + "Common.Views.AutoCorrectDialog.textTitle": "Samodejno popravljanje", "Common.Views.Chat.textSend": "Pošlji", "Common.Views.Comments.textAdd": "Dodaj", "Common.Views.Comments.textAddComment": "Dodaj", @@ -83,7 +100,9 @@ "Common.Views.Header.textBack": "Pojdi v dokumente", "Common.Views.Header.textSaveEnd": "Vse spremembe shranjene", "Common.Views.Header.textSaveExpander": "Vse spremembe shranjene", + "Common.Views.Header.textZoom": "Povečaj", "Common.Views.Header.tipDownload": "Prenesi datoteko", + "Common.Views.Header.tipGoEdit": "Uredi trenutno datoteko", "Common.Views.Header.txtAccessRights": "Spremeni pravice dostopa", "Common.Views.ImageFromUrlDialog.textUrl": "Prilepi URL slike:", "Common.Views.ImageFromUrlDialog.txtEmpty": "To polje je obvezno", @@ -116,12 +135,14 @@ "Common.Views.Protection.txtInvisibleSignature": "Dodaj digitalni podpis", "Common.Views.Protection.txtSignatureLine": "Dodaj podpisno črto", "Common.Views.RenameDialog.textName": "Ime datoteke", + "Common.Views.ReviewChanges.strFast": "Hitro", "Common.Views.ReviewChanges.txtAccept": "Sprejmi", "Common.Views.ReviewChanges.txtAcceptAll": "Sprejmi vse spremembe", "Common.Views.ReviewChanges.txtAcceptChanges": "Sprejmi spremembe", "Common.Views.ReviewChanges.txtChat": "Pogovor", "Common.Views.ReviewChanges.txtClose": "Zapri", "Common.Views.ReviewChanges.txtFinal": "Vse spremembe so sprejete (Predogled)", + "Common.Views.ReviewChanges.txtFinalCap": "Končno", "Common.Views.ReviewChanges.txtOriginal": "Vse spremembe zavrnjene (Predogled)", "Common.Views.ReviewChanges.txtView": "Način pogleda", "Common.Views.ReviewPopover.textAdd": "Dodaj", @@ -134,9 +155,12 @@ "Common.Views.SignDialog.textCertificate": "Certifikat", "Common.Views.SignDialog.textChange": "Spremeni", "Common.Views.SignDialog.textItalic": "Ležeče", + "Common.Views.SignDialog.tipFontName": "Ime pisave", "Common.Views.SignDialog.tipFontSize": "Velikost pisave", + "Common.Views.SignSettingsDialog.textInfoEmail": "Elektronski naslov", "Common.Views.SignSettingsDialog.textInfoName": "Ime", "Common.Views.SymbolTableDialog.textCharacter": "Znak", + "Common.Views.SymbolTableDialog.textFont": "Pisava", "Common.Views.SymbolTableDialog.textQEmSpace": "1/4 prostora", "SSE.Controllers.DataTab.textColumns": "Stolpci", "SSE.Controllers.DataTab.txtExpand": "Razširi", @@ -145,6 +169,8 @@ "SSE.Controllers.DocumentHolder.deleteRowText": "Izbriši vrsto", "SSE.Controllers.DocumentHolder.deleteText": "Izbriši", "SSE.Controllers.DocumentHolder.guestText": "Gost", + "SSE.Controllers.DocumentHolder.insertColumnLeftText": "Stolpec levo", + "SSE.Controllers.DocumentHolder.insertColumnRightText": "Stolpec desno", "SSE.Controllers.DocumentHolder.insertText": "Vstavi", "SSE.Controllers.DocumentHolder.leftText": "Levo", "SSE.Controllers.DocumentHolder.textChangeColumnWidth": "Širina stolpca {0} simboli ({1} pikslov)", @@ -156,14 +182,19 @@ "SSE.Controllers.DocumentHolder.txtAboveAve": "Nad povprečjem", "SSE.Controllers.DocumentHolder.txtAll": "(Vse)", "SSE.Controllers.DocumentHolder.txtAnd": "in", + "SSE.Controllers.DocumentHolder.txtBegins": "Se začne z", "SSE.Controllers.DocumentHolder.txtBlanks": "(Prazno)", + "SSE.Controllers.DocumentHolder.txtBottom": "Spodaj", "SSE.Controllers.DocumentHolder.txtColumn": "Stolpec", "SSE.Controllers.DocumentHolder.txtContains": "Vsebuje", "SSE.Controllers.DocumentHolder.txtDeleteEq": "Izbriši enačbo", "SSE.Controllers.DocumentHolder.txtDeleteGroupChar": "Izbriši diagram", "SSE.Controllers.DocumentHolder.txtEnds": "Se konča s/z", "SSE.Controllers.DocumentHolder.txtEquals": "Enako", + "SSE.Controllers.DocumentHolder.txtFilterBottom": "Spodaj", "SSE.Controllers.DocumentHolder.txtHeight": "Višina", + "SSE.Controllers.DocumentHolder.txtNotBegins": "Se ne začne z", + "SSE.Controllers.DocumentHolder.txtNotContains": "Ne vsebuje", "SSE.Controllers.DocumentHolder.txtOr": "ali", "SSE.Controllers.DocumentHolder.txtPaste": "Prilepi", "SSE.Controllers.DocumentHolder.txtPasteFormat": "Prilepi le oblikovanje", @@ -174,8 +205,10 @@ "SSE.Controllers.DocumentHolder.txtRowHeight": "Višina vrste", "SSE.Controllers.DocumentHolder.txtWidth": "Širina", "SSE.Controllers.FormulaDialog.sCategoryAll": "Vse", + "SSE.Controllers.FormulaDialog.sCategoryCube": "Kocka", "SSE.Controllers.FormulaDialog.sCategoryDateAndTime": "Datum in čas", "SSE.Controllers.FormulaDialog.sCategoryEngineering": "Inžinirstvo", + "SSE.Controllers.FormulaDialog.sCategoryFinancial": "Finance", "SSE.Controllers.FormulaDialog.sCategoryInformation": "Informacije", "SSE.Controllers.LeftMenu.newDocumentTitle": "Neimenovana razpredelnica", "SSE.Controllers.LeftMenu.textByColumns": "Po stolpcih", @@ -274,6 +307,7 @@ "SSE.Controllers.Main.textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.
Click the 'Strict mode' button to switch to the Strict co-editing mode to edit the file without other users interference and send your changes only after you save them. You can switch between the co-editing modes using the editor Advanced settings.", "SSE.Controllers.Main.textYes": "Da", "SSE.Controllers.Main.titleRecalcFormulas": "Izračunavanje...", + "SSE.Controllers.Main.titleServerVersion": "Urednik je bil posodobljen", "SSE.Controllers.Main.txtAccent": "Preglas", "SSE.Controllers.Main.txtAll": "(Vse)", "SSE.Controllers.Main.txtArt": "Your text here", @@ -285,6 +319,7 @@ "SSE.Controllers.Main.txtCharts": "Grafi", "SSE.Controllers.Main.txtColumn": "Stolpec", "SSE.Controllers.Main.txtDate": "Datum", + "SSE.Controllers.Main.txtDays": "Dnevi", "SSE.Controllers.Main.txtDiagramTitle": "Naslov diagrama", "SSE.Controllers.Main.txtEditingMode": "Nastavi način urejanja...", "SSE.Controllers.Main.txtFiguredArrows": "Figurirane puščice", @@ -294,9 +329,12 @@ "SSE.Controllers.Main.txtRectangles": "Pravokotniki", "SSE.Controllers.Main.txtRow": "Vrsta", "SSE.Controllers.Main.txtSeries": "Serije", + "SSE.Controllers.Main.txtShape_actionButtonBlank": "Prazen gumb", "SSE.Controllers.Main.txtShape_actionButtonHelp": "Gumb za pomoč", + "SSE.Controllers.Main.txtShape_arc": "Lok", "SSE.Controllers.Main.txtShape_bevel": "Stožčasti", "SSE.Controllers.Main.txtShape_cloud": "Oblak", + "SSE.Controllers.Main.txtShape_cube": "Kocka", "SSE.Controllers.Main.txtShape_frame": "Okvir", "SSE.Controllers.Main.txtShape_heart": "Srce", "SSE.Controllers.Main.txtShape_lineWithArrow": "Puščica", @@ -319,6 +357,7 @@ "SSE.Controllers.Main.txtStyle_Bad": "Slabo", "SSE.Controllers.Main.txtStyle_Check_Cell": "Preveri celico", "SSE.Controllers.Main.txtStyle_Comma": "Vejica", + "SSE.Controllers.Main.txtStyle_Currency": "Valuta", "SSE.Controllers.Main.txtStyle_Heading_1": "Naslov 1", "SSE.Controllers.Main.txtStyle_Heading_2": "Naslov 2", "SSE.Controllers.Main.txtStyle_Heading_3": "Naslov 3", @@ -339,6 +378,7 @@ "SSE.Controllers.Main.warnProcessRightsChange": "Pravica, da urejate datoteko je bila zavrnjena.", "SSE.Controllers.Print.strAllSheets": "Vsi listi", "SSE.Controllers.Print.textFirstCol": "Prvi stolpec", + "SSE.Controllers.Print.textFirstRow": "Prva vrstica", "SSE.Controllers.Print.textWarning": "Opozorilo", "SSE.Controllers.Print.txtCustom": "Po meri", "SSE.Controllers.Print.warnCheckMargings": "Meje so nepravilne", @@ -351,6 +391,7 @@ "SSE.Controllers.Toolbar.textAccent": "Naglasi", "SSE.Controllers.Toolbar.textBracket": "Oklepaji", "SSE.Controllers.Toolbar.textFontSizeErr": "Vnesena vrednost je nepravilna.
Prosim vnesite numerično vrednost med 1 in 409", + "SSE.Controllers.Toolbar.textFraction": "Frakcije", "SSE.Controllers.Toolbar.textInsert": "Vstavi", "SSE.Controllers.Toolbar.textIntegral": "Integrali", "SSE.Controllers.Toolbar.textWarning": "Opozorilo", @@ -358,12 +399,15 @@ "SSE.Controllers.Toolbar.txtAccent_Bar": "Stolpični grafikon", "SSE.Controllers.Toolbar.txtAccent_Check": "Obkljukaj", "SSE.Controllers.Toolbar.txtAccent_Custom_2": "ABC z nadvrstico", + "SSE.Controllers.Toolbar.txtAccent_Dot": "Pika", "SSE.Controllers.Toolbar.txtBracket_Angle": "Oklepaji", "SSE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Oklepaji z ločevalniki", "SSE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Oklepaji z ločevalniki", "SSE.Controllers.Toolbar.txtBracket_Curve": "Oklepaji", "SSE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Oklepaji z ločevalniki", "SSE.Controllers.Toolbar.txtBracket_Custom_5": "Primer primerov", + "SSE.Controllers.Toolbar.txtBracket_Custom_6": "Binomski koeficient", + "SSE.Controllers.Toolbar.txtBracket_Custom_7": "Binomski koeficient", "SSE.Controllers.Toolbar.txtBracket_Line": "Oklepaji", "SSE.Controllers.Toolbar.txtBracket_LineDouble": "Oklepaji", "SSE.Controllers.Toolbar.txtBracket_LowLim": "Oklepaji", @@ -393,15 +437,18 @@ "SSE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Diagonalne pike", "SSE.Controllers.Toolbar.txtOperator_ColonEquals": "Enak dvopičju", "SSE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta je enaka", + "SSE.Controllers.Toolbar.txtRadicalRoot_3": "Kvadratni koren", "SSE.Controllers.Toolbar.txtSymbol_about": "Približno", "SSE.Controllers.Toolbar.txtSymbol_additional": "Kompliment", "SSE.Controllers.Toolbar.txtSymbol_alpha": "Alfa", "SSE.Controllers.Toolbar.txtSymbol_beta": "Beta", + "SSE.Controllers.Toolbar.txtSymbol_cbrt": "Koren kvadrata", "SSE.Controllers.Toolbar.txtSymbol_celsius": "Stopinje Celzija", "SSE.Controllers.Toolbar.txtSymbol_cong": "Približno enako", "SSE.Controllers.Toolbar.txtSymbol_degree": "Stopinje", "SSE.Controllers.Toolbar.txtSymbol_delta": "Delta", "SSE.Controllers.Toolbar.txtSymbol_equals": "Enak", + "SSE.Controllers.Toolbar.txtSymbol_eta": "Eta", "SSE.Controllers.Toolbar.txtSymbol_fahrenheit": "stopinje Fahrenheita", "SSE.Controllers.Toolbar.txtSymbol_forall": "Za vse", "SSE.Controllers.Toolbar.txtSymbol_infinity": "Neskončnost", @@ -417,11 +464,13 @@ "SSE.Views.AutoFilterDialog.textSelectAll": "Izberi vse", "SSE.Views.AutoFilterDialog.textWarning": "Opozorilo", "SSE.Views.AutoFilterDialog.txtAboveAve": "Nad povprečjem", + "SSE.Views.AutoFilterDialog.txtBegins": "Se začne z ...", "SSE.Views.AutoFilterDialog.txtBetween": "med ...", "SSE.Views.AutoFilterDialog.txtContains": "Vsebuje ...", "SSE.Views.AutoFilterDialog.txtEmpty": "Vnesi celični filter", "SSE.Views.AutoFilterDialog.txtEnds": "Se konča z/s ...", "SSE.Views.AutoFilterDialog.txtEquals": "Enako ...", + "SSE.Views.AutoFilterDialog.txtNotBegins": "Se ne začne z ...", "SSE.Views.AutoFilterDialog.txtTitle": "Filter", "SSE.Views.AutoFilterDialog.warnNoSelected": "Izbrati morate vsaj eno vrednost", "SSE.Views.CellEditor.textManager": "Manager", @@ -430,9 +479,11 @@ "SSE.Views.CellRangeDialog.txtEmpty": "To polje je obvezno", "SSE.Views.CellRangeDialog.txtInvalidRange": "NAPAKA! Neveljaven razpon celic", "SSE.Views.CellRangeDialog.txtTitle": "Izberi območje podatkov", + "SSE.Views.CellSettings.textAngle": "Kot", "SSE.Views.CellSettings.textBackColor": "Barva ozadja", "SSE.Views.CellSettings.textBackground": "Barva ozadja", "SSE.Views.CellSettings.textBorderColor": "Barva", + "SSE.Views.CellSettings.textBorders": "Stil obrob", "SSE.Views.CellSettings.textFill": "Zapolni", "SSE.Views.CellSettings.textForeground": "Barva ospredja", "SSE.Views.CellSettings.textGradientColor": "Barva", @@ -443,6 +494,7 @@ "SSE.Views.ChartSettings.textAdvanced": "Prikaži napredne nastavitve", "SSE.Views.ChartSettings.textChartType": "Spremeni vrsto razpredelnice", "SSE.Views.ChartSettings.textEditData": "Uredi podatke", + "SSE.Views.ChartSettings.textFirstPoint": "Prva točka", "SSE.Views.ChartSettings.textHeight": "Višina", "SSE.Views.ChartSettings.textKeepRatio": "Nenehna razmerja", "SSE.Views.ChartSettings.textSize": "Velikost", @@ -459,6 +511,7 @@ "SSE.Views.ChartSettingsDlg.textAxisSettings": "Axis Settings", "SSE.Views.ChartSettingsDlg.textBetweenTickMarks": "Med obkljukanimi oznakami", "SSE.Views.ChartSettingsDlg.textBillions": "Milijarde", + "SSE.Views.ChartSettingsDlg.textBottom": "Spodaj", "SSE.Views.ChartSettingsDlg.textCategoryName": "Ime kategorije", "SSE.Views.ChartSettingsDlg.textCenter": "Središče", "SSE.Views.ChartSettingsDlg.textChartElementsLegend": "Elementi grafa &
Legenda grafa", @@ -541,11 +594,17 @@ "SSE.Views.ChartSettingsDlg.textYAxisTitle": "Naslov Y osi", "SSE.Views.ChartSettingsDlg.txtEmpty": "To polje je obvezno", "SSE.Views.DataTab.capBtnGroup": "Skupina", + "SSE.Views.DataTab.capDataFromText": "Iz besedila/CSV", "SSE.Views.DataValidationDialog.textAlert": "Opozorilo", "SSE.Views.DataValidationDialog.textAllow": "Dovoli", "SSE.Views.DataValidationDialog.textData": "Podatki", + "SSE.Views.DataValidationDialog.textEndDate": "Končni datum", + "SSE.Views.DataValidationDialog.textEndTime": "Končni čas", + "SSE.Views.DataValidationDialog.textFormula": "Formula", "SSE.Views.DataValidationDialog.txtBetween": "med", "SSE.Views.DataValidationDialog.txtDate": "Datum", + "SSE.Views.DataValidationDialog.txtEndDate": "Končni datum", + "SSE.Views.DataValidationDialog.txtEndTime": "Končni čas", "SSE.Views.DigitalFilterDialog.capAnd": "In", "SSE.Views.DigitalFilterDialog.capCondition1": "enako", "SSE.Views.DigitalFilterDialog.capCondition10": "se ne konča z", @@ -578,8 +637,12 @@ "SSE.Views.DocumentHolder.directionText": "Text Direction", "SSE.Views.DocumentHolder.editChartText": "Uredi podatke", "SSE.Views.DocumentHolder.editHyperlinkText": "Uredi hiperpovezavo", + "SSE.Views.DocumentHolder.insertColumnLeftText": "Stolpec levo", + "SSE.Views.DocumentHolder.insertColumnRightText": "Stolpec desno", "SSE.Views.DocumentHolder.originalSizeText": "Dejanska velikost", "SSE.Views.DocumentHolder.removeHyperlinkText": "Odstrani hiperpovezavo", + "SSE.Views.DocumentHolder.selectColumnText": "Cel stolpec", + "SSE.Views.DocumentHolder.selectDataText": "Podatki stolpca", "SSE.Views.DocumentHolder.selectRowText": "Vrsta", "SSE.Views.DocumentHolder.textAlign": "Poravnava", "SSE.Views.DocumentHolder.textArrangeBack": "Pošlji k ozadju", @@ -587,13 +650,23 @@ "SSE.Views.DocumentHolder.textArrangeForward": "Premakni naprej", "SSE.Views.DocumentHolder.textArrangeFront": "Premakni v ospredje", "SSE.Views.DocumentHolder.textAverage": "POVPREČNA", + "SSE.Views.DocumentHolder.textCount": "Štetje", "SSE.Views.DocumentHolder.textCrop": "Odreži", "SSE.Views.DocumentHolder.textCropFill": "Zapolni", + "SSE.Views.DocumentHolder.textFlipH": "Zrcali horizontalno", + "SSE.Views.DocumentHolder.textFlipV": "Zrcali vertikalno", "SSE.Views.DocumentHolder.textFreezePanes": "Zamrzni plošče", + "SSE.Views.DocumentHolder.textFromFile": "Iz datoteke", "SSE.Views.DocumentHolder.textFromStorage": "Iz shrambe", "SSE.Views.DocumentHolder.textFromUrl": "z URL naslova", "SSE.Views.DocumentHolder.textMore": "Več funkcij", "SSE.Views.DocumentHolder.textNone": "Nič", + "SSE.Views.DocumentHolder.textShapeAlignBottom": "Poravnaj spodaj", + "SSE.Views.DocumentHolder.textShapeAlignCenter": "Poravnava na sredino", + "SSE.Views.DocumentHolder.textShapeAlignLeft": "Poravnaj levo", + "SSE.Views.DocumentHolder.textShapeAlignMiddle": "Poravnaj na sredino", + "SSE.Views.DocumentHolder.textShapeAlignRight": "Poravnaj desno", + "SSE.Views.DocumentHolder.textShapeAlignTop": "Poravnaj na vrh", "SSE.Views.DocumentHolder.textUnFreezePanes": "Unfreeze Panes", "SSE.Views.DocumentHolder.topCellText": "Poravnaj vrh", "SSE.Views.DocumentHolder.txtAccounting": "Računovodstvo", @@ -610,6 +683,7 @@ "SSE.Views.DocumentHolder.txtColumn": "Cel stolpec", "SSE.Views.DocumentHolder.txtColumnWidth": "Širina stolpcev", "SSE.Views.DocumentHolder.txtCopy": "Kopiraj", + "SSE.Views.DocumentHolder.txtCurrency": "Valuta", "SSE.Views.DocumentHolder.txtCut": "Izreži", "SSE.Views.DocumentHolder.txtDate": "Datum", "SSE.Views.DocumentHolder.txtDelete": "Izbriši", @@ -617,6 +691,8 @@ "SSE.Views.DocumentHolder.txtEditComment": "Uredi komentar", "SSE.Views.DocumentHolder.txtFilter": "Filter", "SSE.Views.DocumentHolder.txtFormula": "Vstavi funkcijo", + "SSE.Views.DocumentHolder.txtFraction": "Frakcija", + "SSE.Views.DocumentHolder.txtGeneral": "Splošno", "SSE.Views.DocumentHolder.txtGroup": "Skupina", "SSE.Views.DocumentHolder.txtHide": "Skrij", "SSE.Views.DocumentHolder.txtInsert": "Vstavi", @@ -637,6 +713,8 @@ "SSE.Views.DocumentHolder.vertAlignText": "Vertikalna poravnava", "SSE.Views.FieldSettingsDialog.txtAverage": "POVPREČNA", "SSE.Views.FieldSettingsDialog.txtCompact": "Kompakten", + "SSE.Views.FieldSettingsDialog.txtCount": "Štetje", + "SSE.Views.FieldSettingsDialog.txtCountNums": "Štetje števil", "SSE.Views.FieldSettingsDialog.txtCustomName": "Ime po meri", "SSE.Views.FileMenu.btnBackCaption": "Pojdi v dokumente", "SSE.Views.FileMenu.btnCloseMenuCaption": "Zapri meni", @@ -659,6 +737,7 @@ "SSE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Uporabi", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Dodaj avtorja", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Dodaj besedilo", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplikacija", "SSE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Avtor", "SSE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Spremeni pravice dostopa", "SSE.Views.FileMenuPanels.DocumentInfo.txtComment": "Komentar", @@ -693,8 +772,11 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Onemogočeno", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Vsako minuto", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Centimeter", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCs": "Češka", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDa": "Danska", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "Deutsch", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "English", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "Francosko", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Palec", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Živo komentiranje", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "kot OS X", @@ -704,12 +786,37 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "kot Windows", "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Uporabi", "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Jezik slovarja", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Uredi razpredelnico", "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Splošen", + "SSE.Views.FormatRulesEditDlg.fillColor": "Barva ozadja", + "SSE.Views.FormatRulesEditDlg.textAutomatic": "Samodejeno", + "SSE.Views.FormatRulesEditDlg.textBordersColor": "Barve obrob", + "SSE.Views.FormatRulesEditDlg.textBordersStyle": "Slogi obrob", + "SSE.Views.FormatRulesEditDlg.textBottomBorders": "Spodnje obrobe", + "SSE.Views.FormatRulesEditDlg.textCustom": "Po meri", + "SSE.Views.FormatRulesEditDlg.textEmptyText": "Vnesite vrednost.", + "SSE.Views.FormatRulesEditDlg.textFill": "Zapolni", + "SSE.Views.FormatRulesEditDlg.textFormat": "Format", + "SSE.Views.FormatRulesEditDlg.textFormula": "Formula", + "SSE.Views.FormatRulesEditDlg.tipBorders": "Obrobe", + "SSE.Views.FormatRulesEditDlg.txtAccounting": "Računovodstvo", + "SSE.Views.FormatRulesEditDlg.txtCurrency": "Valuta", + "SSE.Views.FormatRulesEditDlg.txtDate": "Datum", + "SSE.Views.FormatRulesEditDlg.txtFraction": "Frakcija", + "SSE.Views.FormatRulesEditDlg.txtGeneral": "Splošno", + "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Uredi pravila formata", + "SSE.Views.FormatRulesManagerDlg.textAbove": "Nad povprečjem", + "SSE.Views.FormatRulesManagerDlg.textDelete": "Izbriši", + "SSE.Views.FormatRulesManagerDlg.textEdit": "Uredi", + "SSE.Views.FormatRulesManagerDlg.textFormat": "Format", "SSE.Views.FormatSettingsDialog.textCategory": "Kategorija", "SSE.Views.FormatSettingsDialog.textFormat": "Format", "SSE.Views.FormatSettingsDialog.txtAccounting": "Računovodstvo", + "SSE.Views.FormatSettingsDialog.txtCurrency": "Valuta", "SSE.Views.FormatSettingsDialog.txtCustom": "Po meri", "SSE.Views.FormatSettingsDialog.txtDate": "Datum", + "SSE.Views.FormatSettingsDialog.txtFraction": "Frakcija", + "SSE.Views.FormatSettingsDialog.txtGeneral": "Splošno", "SSE.Views.FormatSettingsDialog.txtNone": "Nič", "SSE.Views.FormatSettingsDialog.txtNumber": "Število", "SSE.Views.FormulaDialog.sDescription": "Opis", @@ -717,6 +824,7 @@ "SSE.Views.FormulaDialog.textListDescription": "Izberi funkcijo", "SSE.Views.FormulaDialog.txtTitle": "Vstavi funkcijo", "SSE.Views.FormulaTab.textAutomatic": "Samodejeno", + "SSE.Views.FormulaTab.tipCalculate": "Izračunaj", "SSE.Views.FormulaTab.txtAdditional": "Dodatno", "SSE.Views.FormulaTab.txtFormula": "Funkcija", "SSE.Views.FormulaWizard.textFunction": "Funkcija", @@ -735,6 +843,8 @@ "SSE.Views.HeaderFooterDialog.textLeft": "Levo", "SSE.Views.HeaderFooterDialog.textNewColor": "Dodaj novo barvo po meri", "SSE.Views.HeaderFooterDialog.textTitle": "Nastavitve glave/noge", + "SSE.Views.HeaderFooterDialog.tipFontName": "Pisava", + "SSE.Views.HeaderFooterDialog.tipFontSize": "Velikost pisave", "SSE.Views.HyperlinkSettingsDialog.strDisplay": "Zaslon", "SSE.Views.HyperlinkSettingsDialog.strLinkTo": "Povezava k", "SSE.Views.HyperlinkSettingsDialog.strRange": "Razdalja", @@ -754,10 +864,13 @@ "SSE.Views.ImageSettings.textCrop": "Odreži", "SSE.Views.ImageSettings.textCropFill": "Zapolni", "SSE.Views.ImageSettings.textEdit": "Uredi", + "SSE.Views.ImageSettings.textFlip": "Prezrcali", "SSE.Views.ImageSettings.textFromFile": "z datoteke", "SSE.Views.ImageSettings.textFromStorage": "Iz shrambe", "SSE.Views.ImageSettings.textFromUrl": "z URL", "SSE.Views.ImageSettings.textHeight": "Višina", + "SSE.Views.ImageSettings.textHintFlipH": "Zrcali horizontalno", + "SSE.Views.ImageSettings.textHintFlipV": "Zrcali vertikalno", "SSE.Views.ImageSettings.textInsert": "Zamenjaj sliko", "SSE.Views.ImageSettings.textKeepRatio": "Nenehna razmerja", "SSE.Views.ImageSettings.textOriginalSize": "Privzeta velikost", @@ -765,6 +878,8 @@ "SSE.Views.ImageSettings.textWidth": "Širina", "SSE.Views.ImageSettingsAdvanced.textAlt": "Nadomestno besedilo", "SSE.Views.ImageSettingsAdvanced.textAltDescription": "Opis", + "SSE.Views.ImageSettingsAdvanced.textAngle": "Kot", + "SSE.Views.ImageSettingsAdvanced.textFlipped": "Prezrcaljeno", "SSE.Views.ImageSettingsAdvanced.textTitle": "Slika - napredne nastavitve", "SSE.Views.LeftMenu.tipAbout": "O programu", "SSE.Views.LeftMenu.tipChat": "Pogovor", @@ -827,6 +942,7 @@ "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": "Spodaj", "SSE.Views.PageMarginsDialog.textLeft": "Levo", "SSE.Views.ParagraphSettings.strLineHeight": "Razmik med vrsticami", "SSE.Views.ParagraphSettings.strParagraphSpacing": "Razmik", @@ -843,6 +959,7 @@ "SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Dvojno prečrtanje", "SSE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Levo", "SSE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Desno", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Po", "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Pred", "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecialBy": "Od", "SSE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Pisava", @@ -869,14 +986,21 @@ "SSE.Views.ParagraphSettingsAdvanced.txtAutoText": "Samodejno", "SSE.Views.PivotDigitalFilterDialog.capCondition1": "enako", "SSE.Views.PivotDigitalFilterDialog.capCondition11": "vsebuje", + "SSE.Views.PivotDigitalFilterDialog.capCondition12": "ne vsebuje", "SSE.Views.PivotDigitalFilterDialog.capCondition13": "med", + "SSE.Views.PivotDigitalFilterDialog.capCondition7": "se začne z", "SSE.Views.PivotDigitalFilterDialog.capCondition9": "se konča z", "SSE.Views.PivotDigitalFilterDialog.txtAnd": "in", + "SSE.Views.PivotGroupDialog.textAuto": "Samodejno", + "SSE.Views.PivotGroupDialog.textBy": "Od", + "SSE.Views.PivotGroupDialog.textDays": "Dnevi", "SSE.Views.PivotSettings.textColumns": "Stolpci", + "SSE.Views.PivotSettings.textFilters": "Filtri", "SSE.Views.PivotSettings.txtAddFilter": "Dodaj v filtre", "SSE.Views.PivotSettingsAdvanced.textAlt": "Nadomestno besedilo", "SSE.Views.PivotSettingsAdvanced.textAltDescription": "Opis", "SSE.Views.PivotSettingsAdvanced.txtName": "Ime", + "SSE.Views.PivotTable.textColHeader": "Glava stoplca", "SSE.Views.PivotTable.txtCreate": "Vstavi tabelo", "SSE.Views.PrintSettings.btnPrint": "Shrani & Natisni", "SSE.Views.PrintSettings.strBottom": "Dno", @@ -903,6 +1027,7 @@ "SSE.Views.PrintSettings.textTitle": "Natisni nastavitve", "SSE.Views.PrintSettings.textTitlePDF": "Nastavitev PDF dokumenta", "SSE.Views.PrintTitlesDialog.textFirstCol": "Prvi stolpec", + "SSE.Views.PrintTitlesDialog.textFirstRow": "Prva vrstica", "SSE.Views.RemoveDuplicatesDialog.textColumns": "Stolpci", "SSE.Views.RightMenu.txtCellSettings": "Nastavitve celice", "SSE.Views.RightMenu.txtChartSettings": "Nastavitve grafa", @@ -925,15 +1050,19 @@ "SSE.Views.ShapeSettings.strStroke": "Črta", "SSE.Views.ShapeSettings.strTransparency": "Motnost", "SSE.Views.ShapeSettings.textAdvanced": "Prikaži napredne nastavitve", + "SSE.Views.ShapeSettings.textAngle": "Kot", "SSE.Views.ShapeSettings.textBorderSizeErr": "Vnesena vrednost je nepravilna.
Prosim vnesite vrednost med 0 pt in 1584 pt.", "SSE.Views.ShapeSettings.textColor": "Barvna izpolnitev", "SSE.Views.ShapeSettings.textDirection": "Smer", "SSE.Views.ShapeSettings.textEmptyPattern": "Ni vzorcev", + "SSE.Views.ShapeSettings.textFlip": "Prezrcali", "SSE.Views.ShapeSettings.textFromFile": "z datoteke", "SSE.Views.ShapeSettings.textFromStorage": "Iz shrambe", "SSE.Views.ShapeSettings.textFromUrl": "z URL", "SSE.Views.ShapeSettings.textGradient": "Gradient", "SSE.Views.ShapeSettings.textGradientFill": "Polnjenje gradienta", + "SSE.Views.ShapeSettings.textHintFlipH": "Zrcali horizontalno", + "SSE.Views.ShapeSettings.textHintFlipV": "Zrcali vertikalno", "SSE.Views.ShapeSettings.textImageTexture": "Slika ali tekstura", "SSE.Views.ShapeSettings.textLinear": "Linearna", "SSE.Views.ShapeSettings.textNoFill": "Ni polnila", @@ -961,6 +1090,7 @@ "SSE.Views.ShapeSettingsAdvanced.strMargins": "Oblazinjenje besedila", "SSE.Views.ShapeSettingsAdvanced.textAlt": "Nadomestno besedilo", "SSE.Views.ShapeSettingsAdvanced.textAltDescription": "Opis", + "SSE.Views.ShapeSettingsAdvanced.textAngle": "Kot", "SSE.Views.ShapeSettingsAdvanced.textArrows": "Puščice", "SSE.Views.ShapeSettingsAdvanced.textBeginSize": "Začetna velikost", "SSE.Views.ShapeSettingsAdvanced.textBeginStyle": "Začetni stil", @@ -970,6 +1100,7 @@ "SSE.Views.ShapeSettingsAdvanced.textEndSize": "Končna velikost", "SSE.Views.ShapeSettingsAdvanced.textEndStyle": "Končni slog", "SSE.Views.ShapeSettingsAdvanced.textFlat": "Ploščat", + "SSE.Views.ShapeSettingsAdvanced.textFlipped": "Prezrcaljeno", "SSE.Views.ShapeSettingsAdvanced.textHeight": "Višina", "SSE.Views.ShapeSettingsAdvanced.textJoinType": "Vrsta pridruževanja", "SSE.Views.ShapeSettingsAdvanced.textKeepRatio": "Nenehna razmerja", @@ -984,25 +1115,33 @@ "SSE.Views.ShapeSettingsAdvanced.textTop": "Vrh", "SSE.Views.ShapeSettingsAdvanced.textWeightArrows": "Uteži & puščice", "SSE.Views.ShapeSettingsAdvanced.textWidth": "Širina", + "SSE.Views.SignatureSettings.txtContinueEditing": "Vseeno uredi", "SSE.Views.SlicerAddDialog.textColumns": "Stolpci", + "SSE.Views.SlicerSettings.textAsc": "Naraščajoče", "SSE.Views.SlicerSettings.textAZ": "A do Ž", + "SSE.Views.SlicerSettings.textButtons": "Gumbi", "SSE.Views.SlicerSettings.textColumns": "Stolpci", "SSE.Views.SlicerSettings.textDesc": "Padajoče", "SSE.Views.SlicerSettings.textHeight": "Višina", + "SSE.Views.SlicerSettingsAdvanced.strButtons": "Gumbi", "SSE.Views.SlicerSettingsAdvanced.strColumns": "Stolpci", "SSE.Views.SlicerSettingsAdvanced.strHeight": "Višina", "SSE.Views.SlicerSettingsAdvanced.strShowHeader": "Pokaži nogo", "SSE.Views.SlicerSettingsAdvanced.textAlt": "Nadomestno besedilo", "SSE.Views.SlicerSettingsAdvanced.textAltDescription": "Opis", + "SSE.Views.SlicerSettingsAdvanced.textAsc": "Naraščajoče", "SSE.Views.SlicerSettingsAdvanced.textAZ": "A do Ž", "SSE.Views.SlicerSettingsAdvanced.textDesc": "Padajoče", "SSE.Views.SlicerSettingsAdvanced.textHeader": "Glava", "SSE.Views.SlicerSettingsAdvanced.textName": "Ime", + "SSE.Views.SortDialog.textAsc": "Naraščajoče", "SSE.Views.SortDialog.textAuto": "Samodejeno", "SSE.Views.SortDialog.textAZ": "A do Ž", + "SSE.Views.SortDialog.textBelow": "Pod", "SSE.Views.SortDialog.textCellColor": "Barva celice", "SSE.Views.SortDialog.textColumn": "Stolpec", "SSE.Views.SortDialog.textDesc": "Padajoče", + "SSE.Views.SortDialog.textFontColor": "Barva pisave", "SSE.Views.SortDialog.textLeft": "Levo", "SSE.Views.SortDialog.textMoreCols": "(Več stolpcev ...)", "SSE.Views.SortDialog.textMoreRows": "(Več vrstic ...)", @@ -1012,6 +1151,7 @@ "SSE.Views.SpecialPasteDialog.textAll": "Vse", "SSE.Views.SpecialPasteDialog.textComments": "Komentarji", "SSE.Views.SpecialPasteDialog.textFormats": "Formati", + "SSE.Views.SpecialPasteDialog.textFormulas": "Formule", "SSE.Views.SpecialPasteDialog.textNone": "Nič", "SSE.Views.SpecialPasteDialog.textPaste": "Prilepi", "SSE.Views.Spellcheck.textChange": "Spremeni", @@ -1027,6 +1167,7 @@ "SSE.Views.Statusbar.filteredRecordsText": "{0} od {1} zadetkov filtriranih", "SSE.Views.Statusbar.itemAverage": "POVPREČNA", "SSE.Views.Statusbar.itemCopy": "Kopiraj", + "SSE.Views.Statusbar.itemCount": "Štetje", "SSE.Views.Statusbar.itemDelete": "Izbriši", "SSE.Views.Statusbar.itemHidden": "Skrito", "SSE.Views.Statusbar.itemHide": "Skrij", @@ -1074,6 +1215,7 @@ "SSE.Views.TextArtSettings.strSize": "Size", "SSE.Views.TextArtSettings.strStroke": "Stroke", "SSE.Views.TextArtSettings.strTransparency": "Opacity", + "SSE.Views.TextArtSettings.textAngle": "Kot", "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", @@ -1127,8 +1269,10 @@ "SSE.Views.Toolbar.textAlignTop": "Poravnaj vrh", "SSE.Views.Toolbar.textAllBorders": "Vse meje", "SSE.Views.Toolbar.textAuto": "Samodejno", + "SSE.Views.Toolbar.textAutoColor": "Samodejeno", "SSE.Views.Toolbar.textBold": "Krepko", "SSE.Views.Toolbar.textBordersColor": "Barva obrobe", + "SSE.Views.Toolbar.textBordersStyle": "Slogi obrob", "SSE.Views.Toolbar.textBottomBorders": "Meje na dnu", "SSE.Views.Toolbar.textCenterBorders": "Notranje vertikalne meje", "SSE.Views.Toolbar.textClockwise": "Kot v smeri urinega kazalca", @@ -1187,9 +1331,11 @@ "SSE.Views.Toolbar.tipDigStyleCurrency": "Slog valute", "SSE.Views.Toolbar.tipDigStylePercent": "Slog odstotkov", "SSE.Views.Toolbar.tipEditChart": "Uredi grafikon", + "SSE.Views.Toolbar.tipEditHeader": "Uredi glavo ali nogo", "SSE.Views.Toolbar.tipFontColor": "Barva pisave", "SSE.Views.Toolbar.tipFontName": "Ime pisave", "SSE.Views.Toolbar.tipFontSize": "Velikost pisave", + "SSE.Views.Toolbar.tipImgAlign": "Poravnaj predmete", "SSE.Views.Toolbar.tipIncDecimal": "Povečaj Decimal", "SSE.Views.Toolbar.tipIncFont": "Prirastek velikosti pisave", "SSE.Views.Toolbar.tipInsertChart": "Vstavi grafikon", @@ -1280,10 +1426,13 @@ "SSE.Views.Toolbar.txtTime": "Čas", "SSE.Views.Toolbar.txtUnmerge": "Razdruži celice", "SSE.Views.Toolbar.txtYen": "¥ Jen", + "SSE.Views.Top10FilterDialog.txtBottom": "Spodaj", "SSE.Views.Top10FilterDialog.txtBy": "od", "SSE.Views.Top10FilterDialog.txtItems": "Izdelek", "SSE.Views.ValueFieldSettingsDialog.txtAverage": "POVPREČNA", "SSE.Views.ValueFieldSettingsDialog.txtByField": "%1 od %2", + "SSE.Views.ValueFieldSettingsDialog.txtCount": "Štetje", + "SSE.Views.ValueFieldSettingsDialog.txtCountNums": "Štetje števil", "SSE.Views.ValueFieldSettingsDialog.txtCustomName": "Ime po meri", "SSE.Views.ValueFieldSettingsDialog.txtIndex": "Indeks", "SSE.Views.ViewManagerDlg.closeButtonText": "Zapri", @@ -1294,5 +1443,6 @@ "SSE.Views.ViewTab.textClose": "Zapri", "SSE.Views.ViewTab.textCreate": "Novo", "SSE.Views.ViewTab.textDefault": "Privzeto", - "SSE.Views.ViewTab.textHeadings": "Naslovi" + "SSE.Views.ViewTab.textHeadings": "Naslovi", + "SSE.Views.ViewTab.textZoom": "Povečaj" } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/ca.json b/apps/spreadsheeteditor/mobile/locale/ca.json index 5eb529a4a..fe4cd222a 100644 --- a/apps/spreadsheeteditor/mobile/locale/ca.json +++ b/apps/spreadsheeteditor/mobile/locale/ca.json @@ -1,647 +1,576 @@ { - "Common.Controllers.Collaboration.textAddReply": "Afegir una Resposta", - "Common.Controllers.Collaboration.textCancel": "Cancel·lar", - "Common.Controllers.Collaboration.textDeleteComment": "Esborrar comentari", - "Common.Controllers.Collaboration.textDeleteReply": "Esborrar resposta", - "Common.Controllers.Collaboration.textDone": "Fet", - "Common.Controllers.Collaboration.textEdit": "Editar", - "Common.Controllers.Collaboration.textEditUser": "Usuaris que editen el fitxer:", - "Common.Controllers.Collaboration.textMessageDeleteComment": "Vols suprimir aquest comentari?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "Voleu suprimir aquesta resposta?", - "Common.Controllers.Collaboration.textReopen": "Reobrir", - "Common.Controllers.Collaboration.textResolve": "Resol", - "Common.Controllers.Collaboration.textYes": "Sí", - "Common.UI.ThemeColorPalette.textCustomColors": "Colors Personalitzats", - "Common.UI.ThemeColorPalette.textStandartColors": "Colors Estàndards", - "Common.UI.ThemeColorPalette.textThemeColors": "Colors Tema", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAddReply": "Afegir una Resposta", - "Common.Views.Collaboration.textBack": "Enrere", - "Common.Views.Collaboration.textCancel": "Cancel·lar", - "Common.Views.Collaboration.textCollaboration": "Col·laboració", - "Common.Views.Collaboration.textDone": "Fet", - "Common.Views.Collaboration.textEditReply": "Editar la Resposta", - "Common.Views.Collaboration.textEditUsers": "Usuaris", - "Common.Views.Collaboration.textEditСomment": "Editar el Comentari", - "Common.Views.Collaboration.textNoComments": "Aquest full de càlcul no conté comentaris", - "Common.Views.Collaboration.textСomments": "Comentaris", - "SSE.Controllers.AddChart.txtDiagramTitle": "Gràfic Títol", - "SSE.Controllers.AddChart.txtSeries": "Series", - "SSE.Controllers.AddChart.txtXAxis": "Eix X", - "SSE.Controllers.AddChart.txtYAxis": "Eix Y", - "SSE.Controllers.AddContainer.textChart": "Gràfic", - "SSE.Controllers.AddContainer.textFormula": "Funció", - "SSE.Controllers.AddContainer.textImage": "Imatge", - "SSE.Controllers.AddContainer.textOther": "Altre", - "SSE.Controllers.AddContainer.textShape": "Forma", - "SSE.Controllers.AddLink.textInvalidRange": "ERROR! Interval de cel·les no vàlid", - "SSE.Controllers.AddLink.txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.example.com\"", - "SSE.Controllers.AddOther.textCancel": "Cancel·lar", - "SSE.Controllers.AddOther.textContinue": "Continua", - "SSE.Controllers.AddOther.textDelete": "Esborrar", - "SSE.Controllers.AddOther.textDeleteDraft": "Vols suprimir l'esborrany?", - "SSE.Controllers.AddOther.textEmptyImgUrl": "Cal que especifiqueu l’enllaç de la imatge.", - "SSE.Controllers.AddOther.txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.example.com\"", - "SSE.Controllers.DocumentHolder.errorCopyCutPaste": "Les accions de copiar, tallar i enganxar mitjançant el menú contextual només es realitzaran dins del fitxer actual.", - "SSE.Controllers.DocumentHolder.menuAddComment": "Afegir comentari", - "SSE.Controllers.DocumentHolder.menuAddLink": "Afegir Enllaç", - "SSE.Controllers.DocumentHolder.menuCell": "Cel·la", - "SSE.Controllers.DocumentHolder.menuCopy": "Copiar", - "SSE.Controllers.DocumentHolder.menuCut": "Tallar", - "SSE.Controllers.DocumentHolder.menuDelete": "Esborrar", - "SSE.Controllers.DocumentHolder.menuEdit": "Editar", - "SSE.Controllers.DocumentHolder.menuFreezePanes": "Congela Panells", - "SSE.Controllers.DocumentHolder.menuHide": "Amaga", - "SSE.Controllers.DocumentHolder.menuMerge": "Combinar", - "SSE.Controllers.DocumentHolder.menuMore": "Més", - "SSE.Controllers.DocumentHolder.menuOpenLink": "Obrir Enllaç", - "SSE.Controllers.DocumentHolder.menuPaste": "Pegar", - "SSE.Controllers.DocumentHolder.menuShow": "Mostra", - "SSE.Controllers.DocumentHolder.menuUnfreezePanes": "Descongelar Panells", - "SSE.Controllers.DocumentHolder.menuUnmerge": "Anul·lar Combinació", - "SSE.Controllers.DocumentHolder.menuUnwrap": "Desenvolupar", - "SSE.Controllers.DocumentHolder.menuViewComment": "Veure Comentari", - "SSE.Controllers.DocumentHolder.menuWrap": "Envoltura", - "SSE.Controllers.DocumentHolder.sheetCancel": "Cancel·la", - "SSE.Controllers.DocumentHolder.textCopyCutPasteActions": "Accions de Copiar, Tallar i Pegar ", - "SSE.Controllers.DocumentHolder.textDoNotShowAgain": "No mostrar de nou", - "SSE.Controllers.DocumentHolder.warnMergeLostData": "Només quedaran les dades de la cel·la superior esquerra de la cel·la fusionada.
Estàs segur que vols continuar?", - "SSE.Controllers.EditCell.textAuto": "Auto", - "SSE.Controllers.EditCell.textFonts": "Fonts", - "SSE.Controllers.EditCell.textPt": "pt", - "SSE.Controllers.EditChart.errorMaxRows": "ERROR! El nombre màxim de sèries de dades per gràfic és de 255.", - "SSE.Controllers.EditChart.errorStockChart": "Ordre de fila incorrecte. 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.", - "SSE.Controllers.EditChart.textAuto": "Auto", - "SSE.Controllers.EditChart.textBetweenTickMarks": "Entre Marques de Graduació", - "SSE.Controllers.EditChart.textBillions": "Bilions", - "SSE.Controllers.EditChart.textBottom": "Inferior", - "SSE.Controllers.EditChart.textCenter": "Centre", - "SSE.Controllers.EditChart.textCross": "Creu", - "SSE.Controllers.EditChart.textCustom": "Personalitzat", - "SSE.Controllers.EditChart.textFit": "Amplada Ajustada", - "SSE.Controllers.EditChart.textFixed": "Fixat", - "SSE.Controllers.EditChart.textHigh": "Alt", - "SSE.Controllers.EditChart.textHorizontal": "Horitzontal", - "SSE.Controllers.EditChart.textHundredMil": "100 000 000", - "SSE.Controllers.EditChart.textHundreds": "Centenars", - "SSE.Controllers.EditChart.textHundredThousands": "100 000", - "SSE.Controllers.EditChart.textIn": "In", - "SSE.Controllers.EditChart.textInnerBottom": "Part inferior interior", - "SSE.Controllers.EditChart.textInnerTop": "Part superior interior", - "SSE.Controllers.EditChart.textLeft": "Esquerra", - "SSE.Controllers.EditChart.textLeftOverlay": "Superposició Esquerra", - "SSE.Controllers.EditChart.textLow": "Baix", - "SSE.Controllers.EditChart.textManual": "Manual", - "SSE.Controllers.EditChart.textMaxValue": "Valor Màxim", - "SSE.Controllers.EditChart.textMillions": "Milions", - "SSE.Controllers.EditChart.textMinValue": "Valor Mínim", - "SSE.Controllers.EditChart.textNextToAxis": "Al costat del eix", - "SSE.Controllers.EditChart.textNone": "Cap", - "SSE.Controllers.EditChart.textNoOverlay": "Sense Superposició", - "SSE.Controllers.EditChart.textOnTickMarks": "Marques de Graduació", - "SSE.Controllers.EditChart.textOut": "Fora", - "SSE.Controllers.EditChart.textOuterTop": "Fora Superior", - "SSE.Controllers.EditChart.textOverlay": "Superposició", - "SSE.Controllers.EditChart.textRight": "Dreta", - "SSE.Controllers.EditChart.textRightOverlay": "Superposició Dreta", - "SSE.Controllers.EditChart.textRotated": "Rotació", - "SSE.Controllers.EditChart.textTenMillions": "10 000 000", - "SSE.Controllers.EditChart.textTenThousands": "10 000", - "SSE.Controllers.EditChart.textThousands": "Milers", - "SSE.Controllers.EditChart.textTop": "Superior", - "SSE.Controllers.EditChart.textTrillions": "Trilions", - "SSE.Controllers.EditChart.textValue": "Valor", - "SSE.Controllers.EditContainer.textCell": "Cel·la", - "SSE.Controllers.EditContainer.textChart": "Gràfic", - "SSE.Controllers.EditContainer.textHyperlink": "Hiperenllaç", - "SSE.Controllers.EditContainer.textImage": "Imatge", - "SSE.Controllers.EditContainer.textSettings": "Configuració", - "SSE.Controllers.EditContainer.textShape": "Forma", - "SSE.Controllers.EditContainer.textTable": "Taula", - "SSE.Controllers.EditContainer.textText": "Text", - "SSE.Controllers.EditHyperlink.textDefault": "Interval Seleccionat", - "SSE.Controllers.EditHyperlink.textEmptyImgUrl": "Cal que especifiqueu l’enllaç de la imatge.", - "SSE.Controllers.EditHyperlink.textExternalLink": "Enllaç extern", - "SSE.Controllers.EditHyperlink.textInternalLink": "Rang de Dades Intern", - "SSE.Controllers.EditHyperlink.textInvalidRange": "Interval de cel·les no vàlid", - "SSE.Controllers.EditHyperlink.txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.example.com\"", - "SSE.Controllers.FilterOptions.textEmptyItem": "{Buits}", - "SSE.Controllers.FilterOptions.textErrorMsg": "Heu de triar almenys un valor", - "SSE.Controllers.FilterOptions.textErrorTitle": "Avis", - "SSE.Controllers.FilterOptions.textSelectAll": "Selecciona-ho tot ", - "SSE.Controllers.Main.advCSVOptions": "Trieu Opcions CSV", - "SSE.Controllers.Main.advDRMEnterPassword": "Posar la teva contrasenya:", - "SSE.Controllers.Main.advDRMOptions": "Arxiu Protegit", - "SSE.Controllers.Main.advDRMPassword": "Contrasenya", - "SSE.Controllers.Main.applyChangesTextText": "Carregant dades...", - "SSE.Controllers.Main.applyChangesTitleText": "Carregant Dades", - "SSE.Controllers.Main.closeButtonText": "Tancar Arxiu", - "SSE.Controllers.Main.convertationTimeoutText": "Conversió fora de temps", - "SSE.Controllers.Main.criticalErrorExtText": "Prem \"Acceptar\" per tornar a la llista de documents", - "SSE.Controllers.Main.criticalErrorTitle": "Error", - "SSE.Controllers.Main.downloadErrorText": "Descàrrega fallida.", - "SSE.Controllers.Main.downloadMergeText": "Descarregant...", - "SSE.Controllers.Main.downloadMergeTitle": "Descarregant", - "SSE.Controllers.Main.downloadTextText": "Descarregar Full de Càlcul", - "SSE.Controllers.Main.downloadTitleText": "Descàrrega de full de càlcul", - "SSE.Controllers.Main.errorAccessDeny": "Intenteu realitzar una acció per la qual no teniu drets.
Poseu-vos en contacte amb l'administrador del servidor de documents.", - "SSE.Controllers.Main.errorArgsRange": "Un error a la fórmula introduïda.
S'utilitza un rang d'arguments incorrecte.", - "SSE.Controllers.Main.errorAutoFilterChange": "L'operació no està permesa, ja que es tracta de canviar les cel·les d'una taula del full de treball.", - "SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "L'operació no es va poder fer per a les cel·les seleccionades, ja que no es pot moure una part de la taula.
Seleccioneu un altre rang de dades de manera que s'hagi canviat tota la taula i es torna a intentar.", - "SSE.Controllers.Main.errorAutoFilterDataRange": "L'operació no s'ha pogut fer per a l'interval seleccionat de cel·les.
Seleccioneu un interval de dades uniforme diferent de l'existent i torneu-ho a provar de nou.", - "SSE.Controllers.Main.errorAutoFilterHiddenRange": "L’operació no es pot realitzar perquè l’àrea conté cel·les filtrades.
Desfeu els elements filtrats i proveu-ho de nou.", - "SSE.Controllers.Main.errorBadImageUrl": "Enllaç de la Imatge Incorrecte", - "SSE.Controllers.Main.errorChangeArray": "No podeu canviar part d'una matriu.", - "SSE.Controllers.Main.errorCoAuthoringDisconnect": "S'ha perdut la connexió amb el servidor. El document no es pot editar ara mateix.", - "SSE.Controllers.Main.errorConnectToServer": "El document no s'ha pogut desar. Comproveu la configuració de la connexió o poseu-vos en contacte amb l'administrador.
Quan feu clic al botó \"D'acord\", se us demanarà que descarregueu el document.", - "SSE.Controllers.Main.errorCopyMultiselectArea": "Aquesta ordre no es pot utilitzar amb diverses seleccions.
Seleccioneu un únic rang i proveu-ho de nou.", - "SSE.Controllers.Main.errorCountArg": "Un error en la fórmula introduïda.
S'utilitza un nombre d'arguments incorrecte.", - "SSE.Controllers.Main.errorCountArgExceed": "Un error a la fórmula introduïda.
Supera el nombre d’arguments.", - "SSE.Controllers.Main.errorCreateDefName": "No es poden editar els intervals anomenats existents i els nous no es poden crear
en el moment en què s’editen alguns.", - "SSE.Controllers.Main.errorDatabaseConnection": "Error extern.
Error de connexió de base de dades. Contacteu amb l'assistència en cas que l'error continuï.", - "SSE.Controllers.Main.errorDataEncrypted": "S'han rebut canvis xifrats, que no es poden desxifrar.", - "SSE.Controllers.Main.errorDataRange": "Interval de dades incorrecte.", - "SSE.Controllers.Main.errorDefaultMessage": "Codi Error:%1", - "SSE.Controllers.Main.errorEditingDownloadas": "S'ha produït un error durant el treball amb el document.
Utilitzeu l'opció \"Descarregar\" per desar la còpia de seguretat del fitxer al disc dur de l’ordinador.", - "SSE.Controllers.Main.errorFilePassProtect": "El fitxer està protegit amb contrasenya i no es pot obrir.", - "SSE.Controllers.Main.errorFileRequest": "Error extern.
Error de sol·licitud de fitxer. Contacteu amb l'assistència en cas que l'error continuï.", - "SSE.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.", - "SSE.Controllers.Main.errorFileVKey": "Error extern.
Clau de seguretat incorrecta. Contacteu amb l'assistència en cas que l'error continuï.", - "SSE.Controllers.Main.errorFillRange": "No s'ha pogut omplir el rang de cel·les seleccionat.
Totes les cel·les fusionades han de tenir la mateixa mida.", - "SSE.Controllers.Main.errorFormulaName": "Un error a la fórmula introduïda.
S'utilitza un nom de fórmula incorrecte.", - "SSE.Controllers.Main.errorFormulaParsing": "Error intern al analitzar la fórmula.", - "SSE.Controllers.Main.errorFrmlMaxLength": "No podeu afegir aquesta fórmula ja que la seva longitud supera els 8192 caràcters.
Editeu-la i proveu-la de nou.", - "SSE.Controllers.Main.errorFrmlMaxReference": "No podeu introduir aquesta fórmula perquè té massa valors, referències de cel·les,
i/o noms.", - "SSE.Controllers.Main.errorFrmlMaxTextLength": "Els valors de text de les fórmules són limitats a 255 caràcters.
Utilitzeu la funció CONCATENATE o l'operador de concatenació (&).", - "SSE.Controllers.Main.errorFrmlWrongReferences": "La funció fa referència a un full que no existeix.
Comproveu les dades i proveu-ho de nou.", - "SSE.Controllers.Main.errorInvalidRef": "Introduïu un nom correcte per a la selecció o una referència vàlida a la qual aneu dirigits.", - "SSE.Controllers.Main.errorKeyEncrypt": "Descriptor de la clau desconegut", - "SSE.Controllers.Main.errorKeyExpire": "El descriptor de la clau ha caducat", - "SSE.Controllers.Main.errorLockedAll": "L'operació no s'ha pogut fer ja que un altre usuari ha bloquejat el full.", - "SSE.Controllers.Main.errorLockedWorksheetRename": "De moment no es pot canviar el nom del full ja que el torna a anomenar un altre usuari", - "SSE.Controllers.Main.errorMailMergeLoadFile": "Ha fallat la càrrega del document. Seleccioneu un fitxer diferent.", - "SSE.Controllers.Main.errorMailMergeSaveFile": "Ha fallat la fusió.", - "SSE.Controllers.Main.errorMaxPoints": "El nombre màxim de punts de la sèrie per gràfic és de 4096.", - "SSE.Controllers.Main.errorMoveRange": "No es pot canviar part d’una cel·la fusionada", - "SSE.Controllers.Main.errorMultiCellFormula": "Les fórmules de matrius multicel·lulars no estan permeses a les taules.", - "SSE.Controllers.Main.errorOpensource": "Mitjançant la versió gratuïta de la comunitat, només podeu obrir documents per a la visualització. Per accedir a editors web per a mòbils, cal una llicència comercial.", - "SSE.Controllers.Main.errorOpenWarning": "La longitud d'una de les fórmules del fitxer ha excedit el límit de 8192 caràcters permès.
La formula s'ha esborrat.", - "SSE.Controllers.Main.errorOperandExpected": "La sintaxi de la funció introduïda no és correcta. Comproveu si us falta un dels parèntesis - '(' o ')'.", - "SSE.Controllers.Main.errorPasteMaxRange": "L’àrea de còpia i enganxa no coincideix.
Seleccioneu una àrea amb la mateixa mida o feu clic a la primera cel·la d’una fila per enganxar les cel·les copiades.", - "SSE.Controllers.Main.errorPrintMaxPagesCount": "Malauradament, no és possible imprimir més de 1500 pàgines a la vegada en la versió actual del programa.
Aquesta restricció serà eliminada en les properes versions.", - "SSE.Controllers.Main.errorProcessSaveResult": "Desament Fallit", - "SSE.Controllers.Main.errorServerVersion": "S'ha actualitzat la versió de l'editor. Es tornarà a carregar la pàgina per aplicar els canvis.", - "SSE.Controllers.Main.errorSessionAbsolute": "La sessió d’edició del document ha caducat. Torneu a carregar la pàgina.", - "SSE.Controllers.Main.errorSessionIdle": "El document no s’ha editat des de fa temps. Torneu a carregar la pàgina.", - "SSE.Controllers.Main.errorSessionToken": "S'ha interromput la connexió amb el servidor. Torneu a carregar la pàgina.", - "SSE.Controllers.Main.errorStockChart": "Ordre de fila incorrecte. 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.", - "SSE.Controllers.Main.errorToken": "El testimoni de seguretat del document no està format correctament.
Contacteu l'administrador del servidor de documents.", - "SSE.Controllers.Main.errorTokenExpire": "El testimoni de seguretat del document ha caducat.
Contacteu amb l'administrador del Document Server.", - "SSE.Controllers.Main.errorUnexpectedGuid": "Error extern.
GUID inesperat. Contacteu amb l'assistència en cas que l'error continuï.", - "SSE.Controllers.Main.errorUpdateVersion": "La versió del fitxer s'ha canviat. La pàgina es tornarà a carregar.", - "SSE.Controllers.Main.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.", - "SSE.Controllers.Main.errorUserDrop": "Ara no es pot accedir al fitxer.", - "SSE.Controllers.Main.errorUsersExceed": "S'ha superat el nombre d’usuaris permès pel pla de preus", - "SSE.Controllers.Main.errorViewerDisconnect": "La connexió es perd. Encara podeu veure el document,
però no podreu descarregar-lo fins que no es restableixi la connexió i es torni a carregar la pàgina.", - "SSE.Controllers.Main.errorWrongBracketsCount": "Un error a la fórmula introduïda.
S'utilitza un número incorrecte de claudàtors.", - "SSE.Controllers.Main.errorWrongOperator": "Error en la fórmula introduïda. S'utilitza un operador incorrecte.
Corregiu l'error.", - "SSE.Controllers.Main.leavePageText": "Heu fet canvis no guardats en aquest document. Feu clic a \"Continua en aquesta pàgina\" per esperar la recuperació automàtica del document. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", - "SSE.Controllers.Main.loadFontsTextText": "Carregant dades...", - "SSE.Controllers.Main.loadFontsTitleText": "Carregant Dades", - "SSE.Controllers.Main.loadFontTextText": "Carregant dades...", - "SSE.Controllers.Main.loadFontTitleText": "Carregant Dades", - "SSE.Controllers.Main.loadImagesTextText": "Carregant imatges...", - "SSE.Controllers.Main.loadImagesTitleText": "Carregant Imatges", - "SSE.Controllers.Main.loadImageTextText": "Carregant imatge...", - "SSE.Controllers.Main.loadImageTitleText": "Carregant Imatge", - "SSE.Controllers.Main.loadingDocumentTextText": "Carregant full de càlcul...", - "SSE.Controllers.Main.loadingDocumentTitleText": "Carregant full de càlcul", - "SSE.Controllers.Main.mailMergeLoadFileText": "Carregant l'Origen de Dades...", - "SSE.Controllers.Main.mailMergeLoadFileTitle": "Carregant l'Origen de Dades", - "SSE.Controllers.Main.notcriticalErrorTitle": "Avis", - "SSE.Controllers.Main.openErrorText": "S'ha produït un error en obrir el fitxer.", - "SSE.Controllers.Main.openTextText": "Obrint Document...", - "SSE.Controllers.Main.openTitleText": "Obrir Document", - "SSE.Controllers.Main.pastInMergeAreaError": "No es pot canviar part d’una cel·la fusionada", - "SSE.Controllers.Main.printTextText": "Imprimint Document...", - "SSE.Controllers.Main.printTitleText": "Imprimir Document", - "SSE.Controllers.Main.reloadButtonText": "Recarregar Pàgina", - "SSE.Controllers.Main.requestEditFailedMessageText": "Algú està editant aquest document ara mateix. Si us plau, intenta-ho més tard.", - "SSE.Controllers.Main.requestEditFailedTitleText": "Accés denegat", - "SSE.Controllers.Main.saveErrorText": "S'ha produït un error en desar el fitxer.", - "SSE.Controllers.Main.savePreparingText": "Preparant per guardar", - "SSE.Controllers.Main.savePreparingTitle": "Preparant per guardar. Si us plau, esperi", - "SSE.Controllers.Main.saveTextText": "Desant Document...", - "SSE.Controllers.Main.saveTitleText": "Desant Document", - "SSE.Controllers.Main.scriptLoadError": "La connexió és massa lenta, alguns dels components no s’han pogut carregar. Torneu a carregar la pàgina.", - "SSE.Controllers.Main.sendMergeText": "S'està enviant la Combinació...", - "SSE.Controllers.Main.sendMergeTitle": "S'està enviant la Combinació", - "SSE.Controllers.Main.textAnonymous": "Anònim", - "SSE.Controllers.Main.textBack": "Enrere", - "SSE.Controllers.Main.textBuyNow": "Visita el Lloc Web", - "SSE.Controllers.Main.textCancel": "Cancel·la", - "SSE.Controllers.Main.textClose": "Tancar", - "SSE.Controllers.Main.textContactUs": "Equip de Vendes", - "SSE.Controllers.Main.textCustomLoader": "Tingueu en compte que, segons els termes de la llicència, no teniu dret a canviar el carregador.
Consulteu el nostre departament de vendes per obtenir un pressupost.", - "SSE.Controllers.Main.textDone": "Fet", - "SSE.Controllers.Main.textHasMacros": "El fitxer conté macros automàtiques.
Voleu executar macros?", - "SSE.Controllers.Main.textLoadingDocument": "Carregant full de càlcul", - "SSE.Controllers.Main.textNo": "No", - "SSE.Controllers.Main.textNoLicenseTitle": "Heu arribat al límit de la llicència", - "SSE.Controllers.Main.textOK": "Acceptar", - "SSE.Controllers.Main.textPaidFeature": "Funció de pagament", - "SSE.Controllers.Main.textPassword": "Contrasenya", - "SSE.Controllers.Main.textPreloader": "Carregant...", - "SSE.Controllers.Main.textRemember": "Recorda la meva elecció", - "SSE.Controllers.Main.textShape": "Forma", - "SSE.Controllers.Main.textStrict": "Mode estricte", - "SSE.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-lo ells. Podeu canviar entre els modes de coedició mitjançant l'editor Paràmetres avançats.", - "SSE.Controllers.Main.textUsername": "Usuari", - "SSE.Controllers.Main.textYes": "Sí", - "SSE.Controllers.Main.titleLicenseExp": "Llicència Caducada", - "SSE.Controllers.Main.titleServerVersion": "S'ha actualitzat l'editor", - "SSE.Controllers.Main.titleUpdateVersion": "Versió canviada", - "SSE.Controllers.Main.txtAccent": "Accent", - "SSE.Controllers.Main.txtArt": "El seu text aquí", - "SSE.Controllers.Main.txtBasicShapes": "Formes Bàsiques", - "SSE.Controllers.Main.txtButtons": "Botons", - "SSE.Controllers.Main.txtCallouts": "Trucades", - "SSE.Controllers.Main.txtCharts": "Gràfics", - "SSE.Controllers.Main.txtDelimiter": "Delimitador", - "SSE.Controllers.Main.txtDiagramTitle": "Gràfic Títol", - "SSE.Controllers.Main.txtEditingMode": "Estableix el mode d'edició ...", - "SSE.Controllers.Main.txtEncoding": "Codificació", - "SSE.Controllers.Main.txtErrorLoadHistory": "Ha fallat la càrrega del historial", - "SSE.Controllers.Main.txtFiguredArrows": "Fletxes Figurades", - "SSE.Controllers.Main.txtLines": "Línies", - "SSE.Controllers.Main.txtMath": "Matemàtiques", - "SSE.Controllers.Main.txtProtected": "Un cop hàgiu introduït la contrasenya i obert el fitxer, es restablirà la contrasenya actual del fitxer", - "SSE.Controllers.Main.txtRectangles": "Rectangles", - "SSE.Controllers.Main.txtSeries": "Series", - "SSE.Controllers.Main.txtSpace": "Espai", - "SSE.Controllers.Main.txtStarsRibbons": "Estrelles i Cintes", - "SSE.Controllers.Main.txtStyle_Bad": "Dolent", - "SSE.Controllers.Main.txtStyle_Calculation": "Càlcul", - "SSE.Controllers.Main.txtStyle_Check_Cell": "Cel·la de Control", - "SSE.Controllers.Main.txtStyle_Comma": "Financier", - "SSE.Controllers.Main.txtStyle_Currency": "Moneda", - "SSE.Controllers.Main.txtStyle_Explanatory_Text": "Text Explicatiu", - "SSE.Controllers.Main.txtStyle_Good": "Bo", - "SSE.Controllers.Main.txtStyle_Heading_1": "Títol 1", - "SSE.Controllers.Main.txtStyle_Heading_2": "Títol 2", - "SSE.Controllers.Main.txtStyle_Heading_3": "Títol 3", - "SSE.Controllers.Main.txtStyle_Heading_4": "Títol 4", - "SSE.Controllers.Main.txtStyle_Input": "Entrada", - "SSE.Controllers.Main.txtStyle_Linked_Cell": "Cel·la Enllaçada", - "SSE.Controllers.Main.txtStyle_Neutral": "Neutre", - "SSE.Controllers.Main.txtStyle_Normal": "Normal", - "SSE.Controllers.Main.txtStyle_Note": "Nota", - "SSE.Controllers.Main.txtStyle_Output": "Sortida", - "SSE.Controllers.Main.txtStyle_Percent": "Percentatge", - "SSE.Controllers.Main.txtStyle_Title": "Títol", - "SSE.Controllers.Main.txtStyle_Total": "Total", - "SSE.Controllers.Main.txtStyle_Warning_Text": "Text d'Advertència", - "SSE.Controllers.Main.txtTab": "Pestanya", - "SSE.Controllers.Main.txtXAxis": "Eix X", - "SSE.Controllers.Main.txtYAxis": "Eix Y", - "SSE.Controllers.Main.unknownErrorText": "Error Desconegut.", - "SSE.Controllers.Main.unsupportedBrowserErrorText": "El vostre navegador no és compatible.", - "SSE.Controllers.Main.uploadImageExtMessage": "Format imatge desconegut", - "SSE.Controllers.Main.uploadImageFileCountMessage": "No hi ha imatges pujades.", - "SSE.Controllers.Main.uploadImageSizeMessage": "Superat el límit màxim de la imatge.", - "SSE.Controllers.Main.uploadImageTextText": "Pujant imatge...", - "SSE.Controllers.Main.uploadImageTitleText": "Pujant Imatge", - "SSE.Controllers.Main.waitText": "Si us plau, esperi...", - "SSE.Controllers.Main.warnLicenseExceeded": "S'ha superat el nombre de connexions simultànies al servidor de documents i el document s'obrirà només per a la seva visualització.
Contacteu l'administrador per obtenir més informació.", - "SSE.Controllers.Main.warnLicenseExp": "La seva llicencia ha caducat.
Si us plau, actualitzi la llicencia i recarregui la pàgina.", - "SSE.Controllers.Main.warnLicenseUsersExceeded": "S'ha superat el nombre d'usuaris concurrents i el document s'obrirà només per a la seva visualització.
Per més informació, poseu-vos en contacte amb l'administrador.", - "SSE.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.", - "SSE.Controllers.Main.warnNoLicenseUsers": "Heu arribat al límit d'usuaris concurrents per a editors %1.
Contactau l'equip de vendes per als termes de millora personal dels vostres serveis.", - "SSE.Controllers.Main.warnProcessRightsChange": "Se li ha denegat el dret a editar el fitxer.", - "SSE.Controllers.Search.textNoTextFound": "Text no Trobat", - "SSE.Controllers.Search.textReplaceAll": "Canviar Tot", - "SSE.Controllers.Settings.notcriticalErrorTitle": "Avis", - "SSE.Controllers.Settings.txtDe": "Alemany", - "SSE.Controllers.Settings.txtEn": "Anglès", - "SSE.Controllers.Settings.txtEs": "Castellà", - "SSE.Controllers.Settings.txtFr": "Francès", - "SSE.Controllers.Settings.txtIt": "Italià", - "SSE.Controllers.Settings.txtPl": "Polonès", - "SSE.Controllers.Settings.txtRu": "Rus", - "SSE.Controllers.Settings.warnDownloadAs": "Si continueu guardant en aquest format, es perdran totes les funcions, excepte el text.
Esteu segur que voleu continuar?", - "SSE.Controllers.Statusbar.cancelButtonText": "Cancel·la", - "SSE.Controllers.Statusbar.errNameExists": "El full de treball amb aquest nom ja existeix.", - "SSE.Controllers.Statusbar.errNameWrongChar": "Un nom de full no pot contenir els caràcters: \\, /, *,?, [,],:", - "SSE.Controllers.Statusbar.errNotEmpty": "El nom del full no ha d'estar buit", - "SSE.Controllers.Statusbar.errorLastSheet": "El quadern de treball ha de tenir almenys un full de treball visible.", - "SSE.Controllers.Statusbar.errorRemoveSheet": "No es pot suprimir el full de treball.", - "SSE.Controllers.Statusbar.menuDelete": "Esborrar", - "SSE.Controllers.Statusbar.menuDuplicate": "Duplicar", - "SSE.Controllers.Statusbar.menuHide": "Amaga", - "SSE.Controllers.Statusbar.menuMore": "Més", - "SSE.Controllers.Statusbar.menuRename": "Renombrar", - "SSE.Controllers.Statusbar.menuUnhide": "Mostrar", - "SSE.Controllers.Statusbar.notcriticalErrorTitle": "Avis", - "SSE.Controllers.Statusbar.strRenameSheet": "Canvia el nom de full", - "SSE.Controllers.Statusbar.strSheet": "Full", - "SSE.Controllers.Statusbar.strSheetName": "Nom Full", - "SSE.Controllers.Statusbar.textExternalLink": "Enllaç extern", - "SSE.Controllers.Statusbar.warnDeleteSheet": "Els fulls de treball seleccionats poden contenir dades. Esteu segur que voleu continuar?", - "SSE.Controllers.Toolbar.dlgLeaveMsgText": "Heu fet canvis no guardats en aquest document. Feu clic a \"Continua en aquesta pàgina\" per esperar la recuperació automàtica del document. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", - "SSE.Controllers.Toolbar.dlgLeaveTitleText": "Deixeu l'aplicació", - "SSE.Controllers.Toolbar.leaveButtonText": "Sortir d'aquesta Pàgina", - "SSE.Controllers.Toolbar.stayButtonText": "Queda't en aquesta Pàgina", - "SSE.Views.AddFunction.sCatDateAndTime": "Data i hora", - "SSE.Views.AddFunction.sCatEngineering": "Enginyeria", - "SSE.Views.AddFunction.sCatFinancial": "Financer", - "SSE.Views.AddFunction.sCatInformation": "Informació", - "SSE.Views.AddFunction.sCatLogical": "Lògic", - "SSE.Views.AddFunction.sCatLookupAndReference": "Busca i Referència", - "SSE.Views.AddFunction.sCatMathematic": "Matemàtica i trigonometria", - "SSE.Views.AddFunction.sCatStatistical": "Estadístiques", - "SSE.Views.AddFunction.sCatTextAndData": "Tex i dades", - "SSE.Views.AddFunction.textBack": "Enrere", - "SSE.Views.AddFunction.textGroups": "Categories", - "SSE.Views.AddLink.textAddLink": "Afegir Enllaç", - "SSE.Views.AddLink.textAddress": "Adreça", - "SSE.Views.AddLink.textDisplay": "Mostrar", - "SSE.Views.AddLink.textExternalLink": "Enllaç extern", - "SSE.Views.AddLink.textInsert": "Insertar", - "SSE.Views.AddLink.textInternalLink": "Rang de Dades Intern", - "SSE.Views.AddLink.textLink": "Enllaç", - "SSE.Views.AddLink.textLinkType": "Tipus Enllaç", - "SSE.Views.AddLink.textRange": "Rang", - "SSE.Views.AddLink.textRequired": "Obligatori", - "SSE.Views.AddLink.textSelectedRange": "Interval Seleccionat", - "SSE.Views.AddLink.textSheet": "Full", - "SSE.Views.AddLink.textTip": "Consells de Pantalla", - "SSE.Views.AddOther.textAddComment": "Afegir comentari", - "SSE.Views.AddOther.textAddress": "Adreça", - "SSE.Views.AddOther.textBack": "Enrere", - "SSE.Views.AddOther.textComment": "Comentari", - "SSE.Views.AddOther.textDone": "Fet", - "SSE.Views.AddOther.textFilter": "Filtre", - "SSE.Views.AddOther.textFromLibrary": "Imatge de Llibreria", - "SSE.Views.AddOther.textFromURL": "Imatge de URL", - "SSE.Views.AddOther.textImageURL": "Imatge URL", - "SSE.Views.AddOther.textInsert": "Insertar", - "SSE.Views.AddOther.textInsertImage": "Insertar Imatge", - "SSE.Views.AddOther.textLink": "Enllaç", - "SSE.Views.AddOther.textLinkSettings": "Propietats Enllaç", - "SSE.Views.AddOther.textSort": "Ordena i Filtra", - "SSE.Views.EditCell.textAccounting": "Comptabilitat", - "SSE.Views.EditCell.textAddCustomColor": "Afegir color personalitzat", - "SSE.Views.EditCell.textAlignBottom": "Alineació Inferior", - "SSE.Views.EditCell.textAlignCenter": "Centrar", - "SSE.Views.EditCell.textAlignLeft": "Alinear Esquerra", - "SSE.Views.EditCell.textAlignMiddle": "Alinear al Mig", - "SSE.Views.EditCell.textAlignRight": "Alinear Dreta", - "SSE.Views.EditCell.textAlignTop": "Alinear Superior", - "SSE.Views.EditCell.textAllBorders": "Tots els Costats", - "SSE.Views.EditCell.textAngleClockwise": "Angle en sentit horari", - "SSE.Views.EditCell.textAngleCounterclockwise": "Angle en sentit antihorari", - "SSE.Views.EditCell.textBack": "Enrere", - "SSE.Views.EditCell.textBorderStyle": "Estil de Vora", - "SSE.Views.EditCell.textBottomBorder": "Vora Inferior", - "SSE.Views.EditCell.textCellStyle": "Estil Cel·la", - "SSE.Views.EditCell.textCharacterBold": "B", - "SSE.Views.EditCell.textCharacterItalic": "I", - "SSE.Views.EditCell.textCharacterUnderline": "U", - "SSE.Views.EditCell.textColor": "Color", - "SSE.Views.EditCell.textCurrency": "Moneda", - "SSE.Views.EditCell.textCustomColor": "Color Personalitzat", - "SSE.Views.EditCell.textDate": "Data", - "SSE.Views.EditCell.textDiagDownBorder": "Vora Diagonal Descendent", - "SSE.Views.EditCell.textDiagUpBorder": "Vora Diagonal Ascendent", - "SSE.Views.EditCell.textDollar": "Dolar", - "SSE.Views.EditCell.textEuro": "Euro", - "SSE.Views.EditCell.textFillColor": "Color d'Emplenament", - "SSE.Views.EditCell.textFonts": "Fonts", - "SSE.Views.EditCell.textFormat": "Format", - "SSE.Views.EditCell.textGeneral": "General", - "SSE.Views.EditCell.textHorizontalText": "Text Horitzontal", - "SSE.Views.EditCell.textInBorders": "Dins Vora", - "SSE.Views.EditCell.textInHorBorder": "Dins de la Vora Horitzontal", - "SSE.Views.EditCell.textInteger": "Enter", - "SSE.Views.EditCell.textInVertBorder": "Dins de la Vora Vertical", - "SSE.Views.EditCell.textJustified": "Justificat", - "SSE.Views.EditCell.textLeftBorder": "Vora Esquerra", - "SSE.Views.EditCell.textMedium": "Mitjà", - "SSE.Views.EditCell.textNoBorder": "Vora No", - "SSE.Views.EditCell.textNumber": "Nombre", - "SSE.Views.EditCell.textPercentage": "Percentatge", - "SSE.Views.EditCell.textPound": "Lliura", - "SSE.Views.EditCell.textRightBorder": "Vora Dreta", - "SSE.Views.EditCell.textRotateTextDown": "Girar Text cap a baix", - "SSE.Views.EditCell.textRotateTextUp": "Girar Text cap a munt", - "SSE.Views.EditCell.textRouble": "Ruble", - "SSE.Views.EditCell.textScientific": "Científic", - "SSE.Views.EditCell.textSize": "Mida", - "SSE.Views.EditCell.textText": "Text", - "SSE.Views.EditCell.textTextColor": "Color Text", - "SSE.Views.EditCell.textTextFormat": "Format Text", - "SSE.Views.EditCell.textTextOrientation": "Orientació del Text", - "SSE.Views.EditCell.textThick": "Gruixut", - "SSE.Views.EditCell.textThin": "Prim", - "SSE.Views.EditCell.textTime": "Hora", - "SSE.Views.EditCell.textTopBorder": "Vora Superior", - "SSE.Views.EditCell.textVerticalText": "Text Vertical", - "SSE.Views.EditCell.textWrapText": "Ajustar el text", - "SSE.Views.EditCell.textYen": "Yen", - "SSE.Views.EditChart.textAddCustomColor": "Afegir color personalitzat", - "SSE.Views.EditChart.textAuto": "Auto", - "SSE.Views.EditChart.textAxisCrosses": "Creus d’Eix", - "SSE.Views.EditChart.textAxisOptions": "Opcions de l’Eix", - "SSE.Views.EditChart.textAxisPosition": "Posició de l’Eix", - "SSE.Views.EditChart.textAxisTitle": "Títol de l’Eix", - "SSE.Views.EditChart.textBack": "Enrere", - "SSE.Views.EditChart.textBackward": "Tornar enrere", - "SSE.Views.EditChart.textBorder": "Vora", - "SSE.Views.EditChart.textBottom": "Inferior", - "SSE.Views.EditChart.textChart": "Gràfic", - "SSE.Views.EditChart.textChartTitle": "Gràfic Títol", - "SSE.Views.EditChart.textColor": "Color", - "SSE.Views.EditChart.textCrossesValue": "Valor Creu", - "SSE.Views.EditChart.textCustomColor": "Color Personalitzat", - "SSE.Views.EditChart.textDataLabels": "Etiquetes de Dades", - "SSE.Views.EditChart.textDesign": "Disseny", - "SSE.Views.EditChart.textDisplayUnits": "Unitats de Visualització", - "SSE.Views.EditChart.textFill": "Omplir", - "SSE.Views.EditChart.textForward": "Avançar", - "SSE.Views.EditChart.textGridlines": "Quadrícules", - "SSE.Views.EditChart.textHorAxis": "Eix Horitzontal", - "SSE.Views.EditChart.textHorizontal": "Horitzontal", - "SSE.Views.EditChart.textLabelOptions": "Opcions Etiqueta", - "SSE.Views.EditChart.textLabelPos": "Posició Etiqueta", - "SSE.Views.EditChart.textLayout": "Maquetació", - "SSE.Views.EditChart.textLeft": "Esquerra", - "SSE.Views.EditChart.textLeftOverlay": "Superposició Esquerra", - "SSE.Views.EditChart.textLegend": "Llegenda", - "SSE.Views.EditChart.textMajor": "Principal", - "SSE.Views.EditChart.textMajorMinor": "Principals i Secundaris", - "SSE.Views.EditChart.textMajorType": "Tipus Principal", - "SSE.Views.EditChart.textMaxValue": "Valor Màxim", - "SSE.Views.EditChart.textMinor": "Secundari", - "SSE.Views.EditChart.textMinorType": "Tipus Secundari", - "SSE.Views.EditChart.textMinValue": "Valor Mínim", - "SSE.Views.EditChart.textNone": "Cap", - "SSE.Views.EditChart.textNoOverlay": "Sense Superposició", - "SSE.Views.EditChart.textOverlay": "Superposició", - "SSE.Views.EditChart.textRemoveChart": "Esborrar Gràfic", - "SSE.Views.EditChart.textReorder": "Reordenar", - "SSE.Views.EditChart.textRight": "Dreta", - "SSE.Views.EditChart.textRightOverlay": "Superposició Dreta", - "SSE.Views.EditChart.textRotated": "Rotació", - "SSE.Views.EditChart.textSize": "Mida", - "SSE.Views.EditChart.textStyle": "Estil", - "SSE.Views.EditChart.textTickOptions": "Opcions de marques de graduació", - "SSE.Views.EditChart.textToBackground": "Enviar a un segon pla", - "SSE.Views.EditChart.textToForeground": "Porta a Primer pla", - "SSE.Views.EditChart.textTop": "Superior", - "SSE.Views.EditChart.textType": "Tipus", - "SSE.Views.EditChart.textValReverseOrder": "Valors en ordre invers", - "SSE.Views.EditChart.textVerAxis": "Eix Vertical", - "SSE.Views.EditChart.textVertical": "Vertical", - "SSE.Views.EditHyperlink.textBack": "Enrere", - "SSE.Views.EditHyperlink.textDisplay": "Mostrar", - "SSE.Views.EditHyperlink.textEditLink": "Editar Enllaç", - "SSE.Views.EditHyperlink.textExternalLink": "Enllaç extern", - "SSE.Views.EditHyperlink.textInternalLink": "Rang de Dades Intern", - "SSE.Views.EditHyperlink.textLink": "Enllaç", - "SSE.Views.EditHyperlink.textLinkType": "Tipus Enllaç", - "SSE.Views.EditHyperlink.textRange": "Rang", - "SSE.Views.EditHyperlink.textRemoveLink": "Esborrar Enllaç", - "SSE.Views.EditHyperlink.textScreenTip": "Consells de Pantalla", - "SSE.Views.EditHyperlink.textSheet": "Full", - "SSE.Views.EditImage.textAddress": "Adreça", - "SSE.Views.EditImage.textBack": "Enrere", - "SSE.Views.EditImage.textBackward": "Tornar enrere", - "SSE.Views.EditImage.textDefault": "Tamany real", - "SSE.Views.EditImage.textForward": "Avançar", - "SSE.Views.EditImage.textFromLibrary": "Imatge de Llibreria", - "SSE.Views.EditImage.textFromURL": "Imatge de URL", - "SSE.Views.EditImage.textImageURL": "Imatge URL", - "SSE.Views.EditImage.textLinkSettings": "Propietats Enllaç", - "SSE.Views.EditImage.textRemove": "Esborrar Imatge", - "SSE.Views.EditImage.textReorder": "Reordenar", - "SSE.Views.EditImage.textReplace": "Canviar", - "SSE.Views.EditImage.textReplaceImg": "Canviar Imatge", - "SSE.Views.EditImage.textToBackground": "Enviar a un segon pla", - "SSE.Views.EditImage.textToForeground": "Porta a Primer pla", - "SSE.Views.EditShape.textAddCustomColor": "Afegir color personalitzat", - "SSE.Views.EditShape.textBack": "Enrere", - "SSE.Views.EditShape.textBackward": "Tornar enrere", - "SSE.Views.EditShape.textBorder": "Vora", - "SSE.Views.EditShape.textColor": "Color", - "SSE.Views.EditShape.textCustomColor": "Color Personalitzat", - "SSE.Views.EditShape.textEffects": "Efectes", - "SSE.Views.EditShape.textFill": "Omplir", - "SSE.Views.EditShape.textForward": "Avançar", - "SSE.Views.EditShape.textOpacity": "Opacitat", - "SSE.Views.EditShape.textRemoveShape": "Esborrar Forma", - "SSE.Views.EditShape.textReorder": "Reordenar", - "SSE.Views.EditShape.textReplace": "Canviar", - "SSE.Views.EditShape.textSize": "Mida", - "SSE.Views.EditShape.textStyle": "Estil", - "SSE.Views.EditShape.textToBackground": "Enviar a un segon pla", - "SSE.Views.EditShape.textToForeground": "Porta a Primer pla", - "SSE.Views.EditText.textAddCustomColor": "Afegir Color Personalitzat", - "SSE.Views.EditText.textBack": "Enrere", - "SSE.Views.EditText.textCharacterBold": "B", - "SSE.Views.EditText.textCharacterItalic": "I", - "SSE.Views.EditText.textCharacterUnderline": "U", - "SSE.Views.EditText.textCustomColor": "Color Personalitzat", - "SSE.Views.EditText.textFillColor": "Color d'Emplenament", - "SSE.Views.EditText.textFonts": "Fonts", - "SSE.Views.EditText.textSize": "Mida", - "SSE.Views.EditText.textTextColor": "Color Text", - "SSE.Views.FilterOptions.textClearFilter": "Esborra Filtre", - "SSE.Views.FilterOptions.textDeleteFilter": "Esborrar Filtre", - "SSE.Views.FilterOptions.textFilter": "Opcions Filtre", - "SSE.Views.Search.textByColumns": "Per Columnes", - "SSE.Views.Search.textByRows": "Per files", - "SSE.Views.Search.textDone": "Fet", - "SSE.Views.Search.textFind": "Buscar", - "SSE.Views.Search.textFindAndReplace": "Buscar i Canviar", - "SSE.Views.Search.textFormulas": "Formules", - "SSE.Views.Search.textHighlightRes": "Ressaltar els resultats", - "SSE.Views.Search.textLookIn": "Mirar a", - "SSE.Views.Search.textMatchCase": "Coincidir majúscules i minúscules", - "SSE.Views.Search.textMatchCell": "Coincidir Cel·la", - "SSE.Views.Search.textReplace": "Canviar", - "SSE.Views.Search.textSearch": "Cerca", - "SSE.Views.Search.textSearchBy": "Cerca", - "SSE.Views.Search.textSearchIn": "Cerca A", - "SSE.Views.Search.textSheet": "Full", - "SSE.Views.Search.textValues": "Valors", - "SSE.Views.Search.textWorkbook": "Llibre de treball", - "SSE.Views.Settings.textAbout": "Sobre", - "SSE.Views.Settings.textAddress": "adreça", - "SSE.Views.Settings.textApplication": "Aplicació", - "SSE.Views.Settings.textApplicationSettings": "Configurar Aplicació", - "SSE.Views.Settings.textAuthor": "Autor", - "SSE.Views.Settings.textBack": "Enrere", - "SSE.Views.Settings.textBottom": "Inferior", - "SSE.Views.Settings.textCentimeter": "Centímetre", - "SSE.Views.Settings.textCollaboration": "Col·laboració", - "SSE.Views.Settings.textColorSchemes": "Esquema de Color", - "SSE.Views.Settings.textComment": "Comentari", - "SSE.Views.Settings.textCommentingDisplay": "Visualització de Comentaris", - "SSE.Views.Settings.textCreated": "Creació", - "SSE.Views.Settings.textCreateDate": "Data de creació", - "SSE.Views.Settings.textCustom": "Personalitzat", - "SSE.Views.Settings.textCustomSize": "Mida Personalitzada", - "SSE.Views.Settings.textDisableAll": "Inhabilita Tot", - "SSE.Views.Settings.textDisableAllMacrosWithNotification": "Desactiveu totes les macros amb una notificació", - "SSE.Views.Settings.textDisableAllMacrosWithoutNotification": "Desactiveu totes les macros sense una notificació", - "SSE.Views.Settings.textDisplayComments": "Comentaris", - "SSE.Views.Settings.textDisplayResolvedComments": "Comentaris Resolts", - "SSE.Views.Settings.textDocInfo": "Informació de full de càlcul", - "SSE.Views.Settings.textDocTitle": "Títol de full de càlcul", - "SSE.Views.Settings.textDone": "Fet", - "SSE.Views.Settings.textDownload": "Descarregar", - "SSE.Views.Settings.textDownloadAs": "Descarregar a...", - "SSE.Views.Settings.textEditDoc": "Editar Document", - "SSE.Views.Settings.textEmail": "Correu electrònic", - "SSE.Views.Settings.textEnableAll": "Activa Tot", - "SSE.Views.Settings.textEnableAllMacrosWithoutNotification": "Habiliteu totes les macros sense una notificació", - "SSE.Views.Settings.textExample": "Exemple", - "SSE.Views.Settings.textFind": "Buscar", - "SSE.Views.Settings.textFindAndReplace": "Buscar i Canviar", - "SSE.Views.Settings.textFormat": "Format", - "SSE.Views.Settings.textFormulaLanguage": "Llenguatge de Formula", - "SSE.Views.Settings.textHelp": "Ajuda", - "SSE.Views.Settings.textHideGridlines": "Amaga Quadrícules", - "SSE.Views.Settings.textHideHeadings": "Amagar Encapçalaments", - "SSE.Views.Settings.textInch": "Polzada", - "SSE.Views.Settings.textLandscape": "Horitzontal", - "SSE.Views.Settings.textLastModified": "Última Modificació", - "SSE.Views.Settings.textLastModifiedBy": "Modificat per Últim cop Per", - "SSE.Views.Settings.textLeft": "Esquerra", - "SSE.Views.Settings.textLoading": "Carregant...", - "SSE.Views.Settings.textMacrosSettings": "Configuració de Macros", - "SSE.Views.Settings.textMargins": "Marges", - "SSE.Views.Settings.textOrientation": "Orientació", - "SSE.Views.Settings.textOwner": "Propietari", - "SSE.Views.Settings.textPoint": "Punt", - "SSE.Views.Settings.textPortrait": "Vertical", - "SSE.Views.Settings.textPoweredBy": "Impulsat per", - "SSE.Views.Settings.textPrint": "Imprimir", - "SSE.Views.Settings.textR1C1Style": "Estil de referència R1C1", - "SSE.Views.Settings.textRegionalSettings": "Configuració Regional", - "SSE.Views.Settings.textRight": "Dreta", - "SSE.Views.Settings.textSettings": "Configuració", - "SSE.Views.Settings.textShowNotification": "Mostra la Notificació", - "SSE.Views.Settings.textSpreadsheetFormats": "Formats de full de càlcul", - "SSE.Views.Settings.textSpreadsheetSettings": "Configuració del full de càlcul", - "SSE.Views.Settings.textSubject": "Assumpte", - "SSE.Views.Settings.textTel": "tel", - "SSE.Views.Settings.textTitle": "Títol", - "SSE.Views.Settings.textTop": "Superior", - "SSE.Views.Settings.textUnitOfMeasurement": "Unitat de Mesura", - "SSE.Views.Settings.textUploaded": "Penjat", - "SSE.Views.Settings.textVersion": "Versió", - "SSE.Views.Settings.unknownText": "Desconegut", - "SSE.Views.Toolbar.textBack": "Enrere" + "About": { + "textAbout": "Quant a...", + "textAddress": "Adreça", + "textBack": "Enrere", + "textEmail": "Correu electrònic", + "textPoweredBy": "Impulsat per", + "textTel": "Tel", + "textVersion": "Versió" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Advertiment", + "textAddComment": "Afegir comentari", + "textAddReply": "Afegir Resposta", + "textBack": "Enrere", + "textCancel": "Cancel·lar", + "textCollaboration": "Col·laboració", + "textComments": "Comentaris", + "textDeleteComment": "Suprimir Comentari", + "textDeleteReply": "Suprimir Resposta", + "textDone": "Fet", + "textEdit": "Editar", + "textEditComment": "Editar Comentari", + "textEditReply": "Editar Resposta", + "textEditUser": "Usuaris que editen el fitxer:", + "textMessageDeleteComment": "Segur que voleu suprimir aquest comentari?", + "textMessageDeleteReply": "Segur que vol suprimir aquesta resposta?", + "textNoComments": "Aquest document no conté comentaris", + "textReopen": "Reobrir", + "textResolve": "Resoldre", + "textTryUndoRedo": "Les funcions Desfer/Refer estan desactivades per al mode de coedició ràpida.", + "textUsers": "Usuaris" + }, + "ThemeColorPalette": { + "textCustomColors": "Colors Personalitzats", + "textStandartColors": "Colors Estàndard", + "textThemeColors": "Colors del Tema" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "Les accions Copiar, retallar i enganxar utilitzant el menú contextual només es realitzaran en el fitxer actual.", + "menuAddComment": "Afegir comentari", + "menuAddLink": "Afegir Enllaç", + "menuCancel": "Cancel·lar", + "menuCell": "Cel·la", + "menuDelete": "Suprimir", + "menuEdit": "Editar", + "menuFreezePanes": "Congelar Panells", + "menuHide": "Amagar", + "menuMerge": "Combinar", + "menuMore": "Més", + "menuOpenLink": "Obrir Enllaç", + "menuShow": "Mostrar", + "menuUnfreezePanes": "Descongelar Panells", + "menuUnmerge": "Anul·lar Combinació", + "menuUnwrap": "Desembolicar", + "menuViewComment": "Veure Comentari", + "menuWrap": "Embolcall", + "notcriticalErrorTitle": "Advertiment", + "textCopyCutPasteActions": "Accions de Copiar, Tallar i Enganxar ", + "textDoNotShowAgain": "No ho tornis a mostrar", + "warnMergeLostData": "L'operació pot destruir les dades de les cel·les seleccionades. Voleu continuar?" + }, + "Controller": { + "Main": { + "criticalErrorTitle": "Error", + "errorAccessDeny": "Esteu intentant realitzar una acció per la qual no teniu drets.
Si us plau, poseu-vos en contacte amb l'administrador.", + "errorProcessSaveResult": "Error en desar.", + "errorServerVersion": "S'ha actualitzat la versió de l'editor. Es tornarà a carregar la pàgina per aplicar els canvis.", + "errorUpdateVersion": "La versió del fitxer s'ha canviat. La pàgina es tornarà a carregar.", + "leavePageText": "Teniu canvis no desats en aquest document. Feu clic a \"Mantingueu-vos en aquesta pàgina\" per esperar al desament automàtic. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", + "notcriticalErrorTitle": "Advertiment", + "SDK": { + "txtAccent": "Accent", + "txtArt": "El seu text aquí", + "txtDiagramTitle": "Títol del Gràfic", + "txtSeries": "Sèrie", + "txtStyle_Bad": "Dolent", + "txtStyle_Calculation": "Càlcul", + "txtStyle_Check_Cell": "Cel·la de Control", + "txtStyle_Comma": "Coma", + "txtStyle_Currency": "Moneda", + "txtStyle_Explanatory_Text": "Text Explicatiu", + "txtStyle_Good": "Bo", + "txtStyle_Heading_1": "Títol 1", + "txtStyle_Heading_2": "Títol 2", + "txtStyle_Heading_3": "Títol 3", + "txtStyle_Heading_4": "Títol 4", + "txtStyle_Input": "Entrada", + "txtStyle_Linked_Cell": "Cel·la Enllaçada", + "txtStyle_Neutral": "Neutral", + "txtStyle_Normal": "Normal", + "txtStyle_Note": "Nota", + "txtStyle_Output": "Sortida", + "txtStyle_Percent": "Percentatge", + "txtStyle_Title": "Nom", + "txtStyle_Total": "Total", + "txtStyle_Warning_Text": "Text d'Advertència", + "txtXAxis": "Eix X", + "txtYAxis": "Eix Y" + }, + "textAnonymous": "Anònim", + "textBuyNow": "Visitar lloc web", + "textClose": "Tancar", + "textContactUs": "Contactar amb Vendes", + "textCustomLoader": "No teniu permisos per canviar el carregador. Si us plau, contacta amb el nostre departament de vendes per obtenir un pressupost.", + "textGuest": "Convidat", + "textHasMacros": "El fitxer conté macros automàtiques.
Voleu executar macros?", + "textNo": "No", + "textNoLicenseTitle": "Heu arribat al límit de la llicència", + "textPaidFeature": "Funció de pagament", + "textRemember": "Recordar la meva elecció", + "textYes": "Sí", + "titleServerVersion": "Editor actualitzat", + "titleUpdateVersion": "S'ha canviat la versió", + "warnLicenseExceeded": "Heu assolit el límit per a connexions simultànies a %1 editors. Aquest document només s'obrirà per a la seva visualització. Contacteu amb l'administrador per a conèixer-ne més.", + "warnLicenseLimitedNoAccess": "La llicència ha caducat. No teniu accés a la funcionalitat d'edició de documents. Contacteu amb el vostre administrador.", + "warnLicenseLimitedRenewed": "Cal renovar la llicència. Teniu accés limitat a la funcionalitat d'edició de documents.
Contacteu amb l'administrador per obtenir accés complet", + "warnLicenseUsersExceeded": "Heu arribat al límit d'usuari per a %1 editors. Contacteu amb l'administrador per conèixer-ne més.", + "warnNoLicense": "Heu assolit el límit per a connexions simultànies a %1 editors. Aquest document només s'obrirà per a la seva visualització. Posa't en contacte amb l'equip de vendes %1 per a les condicions d'una actualització personal.", + "warnNoLicenseUsers": "Heu arribat al límit d'usuaris concurrents per a %1 editors.
Contactau l'equip de vendes per a les condicions de millora personal dels vostres serveis.", + "warnProcessRightsChange": "No teniu permís per editar el fitxer." + } + }, + "Error": { + "convertationTimeoutText": "S'ha superat el temps de conversió.", + "criticalErrorExtText": "Premeu «D'acord» per tornar a la llista de documents.", + "criticalErrorTitle": "Error", + "downloadErrorText": "Ha fallat la Descàrrega.", + "errorAccessDeny": "Esteu intentant realitzar una acció per la qual no teniu drets.
Si us plau, poseu-vos en contacte amb l'administrador.", + "errorArgsRange": "Hi ha un error a la fórmula.
interval d'arguments incorrecte.", + "errorAutoFilterChange": "L'operació no està permesa, ja que està intentant moure cel·les en una taula del full de treball.", + "errorAutoFilterChangeFormatTable": "L'operació no s'ha pogut fer per a les cel·les seleccionades, ja que no podeu moure una part d'una taula.
Seleccioneu un altre interval de dades perquè es desplaci tota la taula i torneu-ho a provar.", + "errorAutoFilterDataRange": "L'operació no s'ha pogut 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": "L'operació no es pot realitzar perquè l'àrea conté cel·les filtrades.
Si us plau, mostra els elements filtrats i torna-ho a provar.", + "errorBadImageUrl": "L'enllaç de la imatge es incorrecte", + "errorChangeArray": "No podeu canviar part d'una matriu.", + "errorConnectToServer": "No es pot desar aquest document. Comproveu la configuració de la connexió o poseu-vos en contacte amb l'administrador.
Quan feu clic al botó «D'acord», se us demanarà que baixeu el document.", + "errorCopyMultiselectArea": "Aquesta ordre no es pot utilitzar amb diverses seleccions.
Seleccioneu un únic rang i proveu-ho de nou.", + "errorCountArg": "S'ha produït un error a la fórmula.
El nombre d'arguments no és vàlid.", + "errorCountArgExceed": "S'ha produït un error a la fórmula. S'ha superat el nombre màxim d'arguments
.", + "errorCreateDefName": "No es poden editar els intervals anomenats existents i els nous no es poden crear en el mateix moment en què s'editen alguns d'ells.", + "errorDatabaseConnection": "Error extern.
Error de connexió a la base de dades. Si us plau, poseu-vos en contacte amb el servei d'assistència.", + "errorDataEncrypted": "S'han rebut canvis xifrats, que no es poden desxifrar.", + "errorDataRange": "Interval de dades incorrecte.", + "errorDataValidate": "El valor que heu introduït no és vàlid.
Un usuari ha restringit els valors que es poden introduir en aquesta cel·la.", + "errorDefaultMessage": "Codi d'error:%1", + "errorEditingDownloadas": "S'ha produït un error durant el treball amb el document.
Utilitzeu l'opció \"Descarregar\" per desar la còpia de seguretat del fitxer localment.", + "errorFilePassProtect": "El fitxer està protegit amb contrasenya i no s'ha pogut obrir.", + "errorFileRequest": "Error extern.
Sol·licitud de fitxer. Si us plau, poseu-vos en contacte amb el servei d'assistència.", + "errorFileSizeExceed": "La mida del fitxer supera la limitació del vostre servidor.
Si us plau, poseu-vos en contacte amb l'administrador per a més detalls.", + "errorFileVKey": "Error extern.
Clau de seguretat incorrecta. Si us plau, poseu-vos en contacte amb el servei d'assistència.", + "errorFillRange": "No s'ha pogut omplir el rang de cel·les seleccionat.
Totes les cel·les combinades han de tenir la mateixa mida.", + "errorFormulaName": "S'ha produït un error a la fórmula.
El nom de la fórmula és incorrecte.", + "errorFormulaParsing": "Error intern en analitzar la fórmula.", + "errorFrmlMaxLength": "No podeu afegir aquesta fórmula perquè la seva longitud supera el nombre de caràcters permesos.
Si us plau, editeu-la i torneu-ho a provar.", + "errorFrmlMaxReference": "No podeu introduir aquesta fórmula perquè té massa valors,
referències de cel·les, i/o noms.", + "errorFrmlMaxTextLength": "Els valors del text en les fórmules es limiten a 255 caràcters.
Usa la funció CONCATENATE o l'operador de concatenació (&)", + "errorFrmlWrongReferences": "La funció es refereix a un full que no existeix.
Si us plau, comproveu les dades i torneu-ho a provar.", + "errorInvalidRef": "Introduïu un nom correcte per a la selecció o una referència vàlida a la qual anar.", + "errorKeyEncrypt": "Descriptor de la clau desconegut", + "errorKeyExpire": "El descriptor de la clau ha caducat", + "errorLockedAll": "L'operació no s'ha pogut fer ja que un altre usuari ha bloquejat el full.", + "errorLockedCellPivot": "No podeu canviar les dades en una taula pivot.", + "errorLockedWorksheetRename": "En aquest moment no es pot canviar el nom del full, ja que ho està fent un altre usuari", + "errorMaxPoints": "El nombre màxim de punts de la sèrie per gràfic és de 4096.", + "errorMoveRange": "No es pot canviar una part d'una cel·la combinada", + "errorMultiCellFormula": "Les fórmules matricials multicel·la no estan permeses a les taules.", + "errorOpenWarning": "La longitud d'una de les fórmules del fitxer superava el nombre permès de caràcters i s'ha eliminat.", + "errorOperandExpected": "La sintaxi de la funció introduïda no és correcta. Comproveu si heu omès algun dels parèntesis - '(' o ')'.", + "errorPasteMaxRange": "L'àrea a copiar i enganxar no coincideixen. Seleccioneu una àrea de la mateixa mida o feu clic a la primera cel·la d'una fila per enganxar les cel·les copiades.", + "errorPrintMaxPagesCount": "Malauradament, no és possible imprimir més de 1500 pàgines alhora a la versió actual del programa.
Aquesta restricció s'eliminarà en les properes versions.", + "errorSessionAbsolute": "La sessió d'edició del document ha caducat. Torneu a carregar la pàgina.", + "errorSessionIdle": "El document no s'ha editat durant molt de temps. Torneu a carregar la pàgina.", + "errorSessionToken": "S'ha interromput la connexió al servidor. Torneu a carregar la pàgina.", + "errorStockChart": "L'ordre de fila és incorrecte. Per construir un diagrama de valors, poseu les dades al full en el següent ordre:
preu d'obertura, preu màxim, preu mínim, preu de tancament.", + "errorUnexpectedGuid": "Error extern.
Guid inesperat. Si us plau, poseu-vos en contacte amb el servei d'assistència.", + "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.", + "errorUserDrop": "No es pot accedir al fitxer ara mateix.", + "errorUsersExceed": "S'ha superat el nombre d’usuaris permès pel vostre pla", + "errorViewerDisconnect": "S'ha perdut la connexió. Encara podeu veure el document,
, però no podreu baixar-lo fins que es restableixi la connexió i es torni a carregar la pàgina.", + "errorWrongBracketsCount": "S'ha produït un error a la fórmula.
Nombre incorrecte de parèntesis.", + "errorWrongOperator": "S'ha produït un error a la fórmula introduïda. S'utilitza l'operador incorrecte.
Corregiu l'error o useu el botó Esc per cancel·lar l'edició de la fórmula.", + "notcriticalErrorTitle": "Advertiment", + "openErrorText": "S'ha produït un error en obrir el fitxer", + "pastInMergeAreaError": "No es pot canviar una part d'una cel·la combinada", + "saveErrorText": "S'ha produït un error en desar el fitxer", + "scriptLoadError": "La connexió és massa lenta, alguns dels components no s'han pogut carregar. Torneu a carregar la pàgina.", + "unknownErrorText": "Error Desconegut.", + "uploadImageExtMessage": "Format d'imatge desconegut.", + "uploadImageFileCountMessage": "Cap Imatge Carregada.", + "uploadImageSizeMessage": "La imatge és massa gran. La mida màxima és de 25 MB." + }, + "LongActions": { + "applyChangesTextText": "Carregant dades...", + "applyChangesTitleText": "Carregant Dades", + "confirmMoveCellRange": "L'interval de cel·les de destinació pot contenir dades. Voleu continuar l'operació?", + "confirmPutMergeRange": "Les dades d'origen contenen cel·les combinades.
Es desfarà la combinació abans que s'enganxin a la taula.", + "confirmReplaceFormulaInTable": "Les fórmules de la fila de capçalera s'eliminaran i es convertiran en text estàtic.
Voleu continuar?", + "downloadTextText": "Descarregant document...", + "downloadTitleText": "Descarregant Document", + "loadFontsTextText": "Carregant dades...", + "loadFontsTitleText": "Carregant Dades", + "loadFontTextText": "Carregant dades...", + "loadFontTitleText": "Carregant Dades", + "loadImagesTextText": "Carregant imatges...", + "loadImagesTitleText": "Carregant Imatges", + "loadImageTextText": "Carregant imatge...", + "loadImageTitleText": "Carregant Imatge", + "loadingDocumentTextText": "Carregant document...", + "loadingDocumentTitleText": "Carregant document", + "notcriticalErrorTitle": "Advertiment", + "openTextText": "Obrint document...", + "openTitleText": "Obrint Document", + "printTextText": "Imprimint document...", + "printTitleText": "Imprimint Document", + "savePreparingText": "Preparant per desar", + "savePreparingTitle": "Preparant per desar. Si us plau, esperi...", + "saveTextText": "Desant document...", + "saveTitleText": "Desant Document", + "textLoadingDocument": "Carregant document", + "textNo": "No", + "textOk": "D'acord", + "textYes": "Sí", + "txtEditingMode": "Establir el mode d'edició ...", + "uploadImageTextText": "Carregant imatge...", + "uploadImageTitleText": "Carregant Imatge", + "waitText": "Si us plau, esperi..." + }, + "Statusbar": { + "notcriticalErrorTitle": "Advertiment", + "textCancel": "Cancel·lar", + "textDelete": "Suprimir", + "textDuplicate": "Duplicar", + "textErrNameExists": "Ja existeix un full de càlcul amb aquest nom.", + "textErrNameWrongChar": "El nom de full no pot contenir els caràcters: \\, /, *,?, [,],:", + "textErrNotEmpty": "El nom del full no pot estar en blanc", + "textErrorLastSheet": "El llibre de treball ha de tenir almenys un full de càlcul visible.", + "textErrorRemoveSheet": "No es pot suprimir el full de treball.", + "textHide": "Amagar", + "textMore": "Més", + "textRename": "Canviar el nom", + "textRenameSheet": "Canviar el nom del full", + "textSheet": "Full", + "textSheetName": "Nom del Full", + "textUnhide": "Tornar a mostrar", + "textWarnDeleteSheet": "El full de treball potser té dades. Voleu continuar l'operació?" + }, + "Toolbar": { + "dlgLeaveMsgText": "Teniu canvis no desats en aquest document. Feu clic a \"Mantingueu-vos en aquesta pàgina\" per esperar al desament automàtic. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", + "dlgLeaveTitleText": "Deixeu l'aplicació", + "leaveButtonText": "Sortir d'aquesta Pàgina", + "stayButtonText": "Queda't en aquesta Pàgina" + }, + "View": { + "Add": { + "errorMaxRows": "ERROR! El nombre màxim de sèries de dades per gràfic és de 255.", + "errorStockChart": "L'ordre de fila és incorrecte. Per construir un diagrama de valors, poseu les dades al full en el següent ordre:
preu d'obertura, preu màxim, preu mínim, preu de tancament.", + "notcriticalErrorTitle": "Advertiment", + "sCatDateAndTime": "Data i hora", + "sCatEngineering": "Enginyeria", + "sCatFinancial": "Financer", + "sCatInformation": "Informació", + "sCatLogical": "Lògic", + "sCatLookupAndReference": "Cercar i Referenciar", + "sCatMathematic": "Matemàtiques i trigonometria", + "sCatStatistical": "Estadístic", + "sCatTextAndData": "Text i dades", + "textAddLink": "Afegir Enllaç", + "textAddress": "Adreça", + "textBack": "Enrere", + "textChart": "Gràfic", + "textComment": "Comentari", + "textDisplay": "Mostrar", + "textEmptyImgUrl": "Heu d'especificar l'URL de la imatge.", + "textExternalLink": "Enllaç Extern", + "textFilter": "Filtre", + "textFunction": "Funció", + "textGroups": "CATEGORIES", + "textImage": "Imatge", + "textImageURL": "URL de la imatge ", + "textInsert": "Inserir", + "textInsertImage": "Inserir Imatge", + "textInternalDataRange": "Interval de Dades Intern", + "textInvalidRange": "ERROR! Interval de cel·les no vàlid", + "textLink": "Enllaç", + "textLinkSettings": "Configuració de l'enllaç", + "textLinkType": "Tipus d'Enllaç", + "textOther": "Altre", + "textPictureFromLibrary": "Imatge de la Biblioteca", + "textPictureFromURL": "Imatge des de URL", + "textRange": "Rang", + "textRequired": "Requerit", + "textScreenTip": "Consell de Pantalla", + "textShape": "Forma", + "textSheet": "Full", + "textSortAndFilter": "Ordenar i Filtrar", + "txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.exemple.com\"" + }, + "Edit": { + "notcriticalErrorTitle": "Advertiment", + "textAccounting": "Comptabilitat", + "textActualSize": "Mida real", + "textAddCustomColor": "Afegir Color Personalitzat", + "textAddress": "Adreça", + "textAlign": "Alinear", + "textAlignBottom": "Alineació Inferior", + "textAlignCenter": "Alineació Central", + "textAlignLeft": "Alineació esquerra", + "textAlignMiddle": "Alinear al Mig", + "textAlignRight": "Alineació dreta", + "textAlignTop": "Alineació superior", + "textAllBorders": "Totes les Vores", + "textAngleClockwise": "Angle en sentit horari", + "textAngleCounterclockwise": "Angle en sentit antihorari", + "textAuto": "Automàtic", + "textAxisCrosses": "Encreuament dels Eixos", + "textAxisOptions": "Opcions de l’Eix", + "textAxisPosition": "Posició de l’Eix", + "textAxisTitle": "Títol de l’Eix", + "textBack": "Enrere", + "textBetweenTickMarks": "Entre Marques de Graduació", + "textBillions": "Milers de milions", + "textBorder": "Vora", + "textBorderStyle": "Estil de Vora", + "textBottom": "Inferior", + "textBottomBorder": "Vora Inferior", + "textBringToForeground": "Portar a Primer pla", + "textCell": "Cel·la", + "textCellStyles": "Estils de Cel·la", + "textCenter": "Centre", + "textChart": "Gràfic", + "textChartTitle": "Títol del Gràfic", + "textClearFilter": "Netejar el filtre", + "textColor": "Color", + "textCross": "Creu", + "textCrossesValue": "Valor d'encreuat", + "textCurrency": "Moneda", + "textCustomColor": "Color Personalitzat", + "textDataLabels": "Etiquetes de Dades", + "textDate": "Data", + "textDefault": "Interval Seleccionat", + "textDeleteFilter": "Suprimir Filtre", + "textDesign": "Disseny", + "textDiagonalDownBorder": "Vora Diagonal Descendent", + "textDiagonalUpBorder": "Vora Diagonal Ascendent", + "textDisplay": "Mostrar", + "textDisplayUnits": "Unitats de Visualització", + "textDollar": "Dòlar", + "textEditLink": "Editar Enllaç", + "textEffects": "Efectes", + "textEmptyImgUrl": "Heu d'especificar l'URL de la imatge.", + "textEmptyItem": "{En blanc}", + "textErrorMsg": "Heu de triar almenys un valor", + "textErrorTitle": "Advertiment", + "textEuro": "Euro", + "textExternalLink": "Enllaç Extern", + "textFill": "Omplir", + "textFillColor": "Color d'Emplenament", + "textFilterOptions": "Opcions de Filtre", + "textFit": "Ajustar a l'ampla", + "textFonts": "Fonts", + "textFormat": "Format", + "textFraction": "Fracció", + "textFromLibrary": "Imatge de la Biblioteca", + "textFromURL": "Imatge des de URL", + "textGeneral": "General", + "textGridlines": "Línies de Quadrícula", + "textHigh": "Alt", + "textHorizontal": "Horitzontal", + "textHorizontalAxis": "Eix Horitzontal", + "textHorizontalText": "Text Horitzontal", + "textHundredMil": "100 000 000", + "textHundreds": "Centenars", + "textHundredThousands": "100 000", + "textHyperlink": "Hiperenllaç", + "textImage": "Imatge", + "textImageURL": "URL de la imatge ", + "textIn": "A", + "textInnerBottom": "Inferior Interna", + "textInnerTop": "Superior interna", + "textInsideBorders": "Vores Internes", + "textInsideHorizontalBorder": "Vora Horitzontal Interna", + "textInsideVerticalBorder": "Vora Vertical Interna", + "textInteger": "Enter", + "textInternalDataRange": "Interval de Dades Intern", + "textInvalidRange": "Interval de cel·les no vàlid", + "textJustified": "Justificat", + "textLabelOptions": "Opcions d'Etiqueta", + "textLabelPosition": "Posició d'Etiqueta", + "textLayout": "Maquetació", + "textLeft": "Esquerra", + "textLeftBorder": "Vora Esquerra", + "textLeftOverlay": "Superposició Esquerra", + "textLegend": "Llegenda", + "textLink": "Enllaç", + "textLinkSettings": "Configuració de l'enllaç", + "textLinkType": "Tipus d'Enllaç", + "textLow": "Baix", + "textMajor": "Major", + "textMajorAndMinor": "Major i Menor", + "textMajorType": "Tipus Major", + "textMaximumValue": "Valor Màxim", + "textMedium": "Mitjà", + "textMillions": "Milions", + "textMinimumValue": "Valor Mínim", + "textMinor": "Menor", + "textMinorType": "Tipus Menor", + "textMoveBackward": "Moure Enrere", + "textMoveForward": "Moure Endavant", + "textNextToAxis": "Prop de l'eix", + "textNoBorder": "Sense Vora", + "textNone": "Cap", + "textNoOverlay": "Sense Superposició", + "textNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.exemple.com\"", + "textNumber": "Número", + "textOnTickMarks": "Marques de Graduació", + "textOpacity": "Opacitat", + "textOut": "Fora", + "textOuterTop": "Superior Externa", + "textOutsideBorders": "Vores Exteriors", + "textOverlay": "Superposició", + "textPercentage": "Percentatge", + "textPictureFromLibrary": "Imatge de la Biblioteca", + "textPictureFromURL": "Imatge des de URL", + "textPound": "Lliura", + "textPt": "pt", + "textRange": "Rang", + "textRemoveChart": "Eliminar Diagrama", + "textRemoveImage": "Eliminar Imatge", + "textRemoveLink": "Eliminar Enllaç", + "textRemoveShape": "Eliminar forma", + "textReorder": "Reordenar", + "textReplace": "Substituir", + "textReplaceImage": "Substituir Imatge", + "textRequired": "Requerit", + "textRight": "Dreta", + "textRightBorder": "Vora Dreta", + "textRightOverlay": "Superposició Dreta", + "textRotated": "Girat", + "textRotateTextDown": "Girar Text Avall", + "textRotateTextUp": "Girar Text Amunt", + "textRouble": "Ruble", + "textScientific": "Científic", + "textScreenTip": "Consell de Pantalla", + "textSelectAll": "Selecciona-ho tot ", + "textSelectObjectToEdit": "Seleccionar l'objecte a editar", + "textSendToBackground": "Enviar al Fons", + "textSettings": "Configuració", + "textShape": "Forma", + "textSheet": "Full", + "textSize": "Mida", + "textStyle": "Estil", + "textTenMillions": "10 000 000", + "textTenThousands": "10 000", + "textText": "Text", + "textTextColor": "Color del Text", + "textTextFormat": "Format del Text", + "textTextOrientation": "Orientació del Text", + "textThick": "Gruixut", + "textThin": "Prim", + "textThousands": "Milers", + "textTickOptions": "Opcions de marques de graduació", + "textTime": "Hora", + "textTop": "Superior", + "textTopBorder": "Vora Superior", + "textTrillions": "Trilions", + "textType": "Tipus", + "textValue": "Valor", + "textValuesInReverseOrder": "Valors en ordre invers", + "textVertical": "Vertical", + "textVerticalAxis": "Eix Vertical", + "textVerticalText": "Text Vertical", + "textWrapText": "Ajustar el text", + "textYen": "Yen", + "txtNotUrl": "Aquest camp hauria de ser una URL en el format \"http://www.exemple.com\"" + }, + "Settings": { + "advCSVOptions": "Trieu les opcions CSV", + "advDRMEnterPassword": "La contrasenya, si us plau:", + "advDRMOptions": "Fitxer Protegit", + "advDRMPassword": "Contrasenya", + "closeButtonText": "Tancar Fitxer", + "notcriticalErrorTitle": "Advertiment", + "textAbout": "Quant a...", + "textAddress": "Adreça", + "textApplication": "Aplicació", + "textApplicationSettings": "Configuració de l'aplicació", + "textAuthor": "Autor", + "textBack": "Enrere", + "textBottom": "Inferior", + "textByColumns": "Per Columnes", + "textByRows": "Per files", + "textCancel": "Cancel·lar", + "textCentimeter": "Centímetre", + "textCollaboration": "Col·laboració", + "textColorSchemes": "Esquemes de Color", + "textComment": "Comentari", + "textCommentingDisplay": "Visualització dels comentaris", + "textComments": "Comentaris", + "textCreated": "Creat", + "textCustomSize": "Mida Personalitzada", + "textDisableAll": "Desactivar-ho Tot", + "textDisableAllMacrosWithNotification": "Desactivar totes les macros amb una notificació", + "textDisableAllMacrosWithoutNotification": "Desactivar totes les macros sense notificació", + "textDone": "Fet", + "textDownload": "Descarregar", + "textDownloadAs": "Descarregar com a", + "textEmail": "Correu electrònic", + "textEnableAll": "Activar-ho Tot", + "textEnableAllMacrosWithoutNotification": "Activar totes les macros sense notificació", + "textFind": "Cercar", + "textFindAndReplace": "Cercar i Substituir", + "textFindAndReplaceAll": "Cercar i Substituir-ho Tot", + "textFormat": "Format", + "textFormulaLanguage": "Idioma de la Fórmula", + "textFormulas": "Fórmules", + "textHelp": "Ajuda", + "textHideGridlines": "Amagar Quadrícules", + "textHideHeadings": "Amagar Encapçalaments", + "textHighlightRes": "Ressaltar els resultats", + "textInch": "Polzada", + "textLandscape": "Horitzontal", + "textLastModified": "Última Modificació", + "textLastModifiedBy": "Modificat per Últim cop Per", + "textLeft": "Esquerra", + "textLocation": "Ubicació", + "textLookIn": "Mirar a", + "textMacrosSettings": "Configuració de Macros", + "textMargins": "Marges", + "textMatchCase": "Coincidir majúscules i minúscules", + "textMatchCell": "Coincidir la Cel·la", + "textNoTextFound": "No s'ha trobat el text", + "textOpenFile": "Introduïu una contrasenya per obrir el fitxer", + "textOrientation": "Orientació", + "textOwner": "Propietari", + "textPoint": "Punt", + "textPortrait": "Retrat Vertical", + "textPoweredBy": "Impulsat Per", + "textPrint": "Imprimir", + "textR1C1Style": "Estil de Referència R1C1", + "textRegionalSettings": "Configuració Regional", + "textReplace": "Substituir", + "textReplaceAll": "Substituir-ho Tot ", + "textResolvedComments": "Comentaris Resolts", + "textRight": "Dreta", + "textSearch": "Cercar", + "textSearchBy": "Cercar", + "textSearchIn": "Cerca A", + "textSettings": "Configuració", + "textSheet": "Full", + "textShowNotification": "Mostrar la Notificació", + "textSpreadsheetFormats": "Formats de full de càlcul", + "textSpreadsheetInfo": "Informació del full de càlcul", + "textSpreadsheetSettings": "Configuració del full de càlcul", + "textSpreadsheetTitle": "Títol del full de càlcul", + "textSubject": "Assumpte", + "textTel": "Tel", + "textTitle": "Nom", + "textTop": "Superior", + "textUnitOfMeasurement": "Unitat de Mesura", + "textUploaded": "Carregat", + "textValues": "Valors", + "textVersion": "Versió", + "textWorkbook": "Llibre de treball", + "txtDelimiter": "Delimitador", + "txtEncoding": "Codificació", + "txtIncorrectPwd": "La contrasenya és incorrecta", + "txtProtected": "Un cop hàgiu introduït la contrasenya i obert el fitxer, es restablirà la contrasenya actual del fitxer", + "txtSpace": "Espai", + "txtTab": "Pestanya", + "warnDownloadAs": "Si continueu guardant en aquest format, es perdran totes les característiques, excepte el text.
Esteu segur que voleu continuar?" + } + } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/de.json b/apps/spreadsheeteditor/mobile/locale/de.json index 3d7b14a19..a4555508c 100644 --- a/apps/spreadsheeteditor/mobile/locale/de.json +++ b/apps/spreadsheeteditor/mobile/locale/de.json @@ -1,661 +1,576 @@ { - "Common.Controllers.Collaboration.textAddReply": "Antwort hinzufügen", - "Common.Controllers.Collaboration.textCancel": "Abbrechen", - "Common.Controllers.Collaboration.textDeleteComment": "Kommentar löschen", - "Common.Controllers.Collaboration.textDeleteReply": "Antwort löschen", - "Common.Controllers.Collaboration.textDone": "Fertig", - "Common.Controllers.Collaboration.textEdit": "Bearbeiten", - "Common.Controllers.Collaboration.textEditUser": "Benutzer, die die Datei bearbeiten:", - "Common.Controllers.Collaboration.textMessageDeleteComment": "Wollen Sie den Kommentar wirklich löschen?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "Wollen Sie diese Antwort wirklich löschen?", - "Common.Controllers.Collaboration.textReopen": "Wiederöffnen", - "Common.Controllers.Collaboration.textResolve": "Lösen", - "Common.Controllers.Collaboration.textYes": "Ja", - "Common.UI.ThemeColorPalette.textCustomColors": "Benutzerdefinierte Farben", - "Common.UI.ThemeColorPalette.textStandartColors": "Standardfarben", - "Common.UI.ThemeColorPalette.textThemeColors": "Designfarben", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAddReply": "Antwort hinzufügen", - "Common.Views.Collaboration.textBack": "Zurück", - "Common.Views.Collaboration.textCancel": "Abbrechen", - "Common.Views.Collaboration.textCollaboration": "Zusammenarbeit", - "Common.Views.Collaboration.textDone": "Fertig", - "Common.Views.Collaboration.textEditReply": "Antwort bearbeiten", - "Common.Views.Collaboration.textEditUsers": "Benutzer", - "Common.Views.Collaboration.textEditСomment": "Kommentar bearbeiten", - "Common.Views.Collaboration.textNoComments": "Diese Tabellenkalkulation enthält keine Kommentare", - "Common.Views.Collaboration.textСomments": "Kommentare", - "SSE.Controllers.AddChart.txtDiagramTitle": "Diagrammtitel", - "SSE.Controllers.AddChart.txtSeries": "Reihen", - "SSE.Controllers.AddChart.txtXAxis": "x-Achse", - "SSE.Controllers.AddChart.txtYAxis": "y-Achse", - "SSE.Controllers.AddContainer.textChart": "Diagramm", - "SSE.Controllers.AddContainer.textFormula": "Funktion", - "SSE.Controllers.AddContainer.textImage": "Bild", - "SSE.Controllers.AddContainer.textOther": "Sonstiges", - "SSE.Controllers.AddContainer.textShape": "Form", - "SSE.Controllers.AddLink.notcriticalErrorTitle": "Warnung", - "SSE.Controllers.AddLink.textInvalidRange": "FEHLER! Ungültiger Zellenbereich", - "SSE.Controllers.AddLink.txtNotUrl": "Dieser Bereich soll ein URL in der Format \"http://www.example.com\" sein.", - "SSE.Controllers.AddOther.notcriticalErrorTitle": "Warnung", - "SSE.Controllers.AddOther.textCancel": "Abbrechen", - "SSE.Controllers.AddOther.textContinue": "Fortsetzen", - "SSE.Controllers.AddOther.textDelete": "Löschen", - "SSE.Controllers.AddOther.textDeleteDraft": "Möchten Sie wirklick diesen Entwurf löschen?", - "SSE.Controllers.AddOther.textEmptyImgUrl": "Sie müssen eine Bild-URL angeben.", - "SSE.Controllers.AddOther.txtNotUrl": "Dieser Bereich soll ein URL in der Format \"http://www.example.com\" sein.", - "SSE.Controllers.DocumentHolder.errorCopyCutPaste": "Funktionen 'Kopieren', 'Ausschneiden' und 'Einfügen' über das Kontextmenü werden nur in der aktuellen Datei ausgeführt.", - "SSE.Controllers.DocumentHolder.errorInvalidLink": "Der Linkverweis existiert nicht. Bitte korrigieren oder löschen Sie den Link.", - "SSE.Controllers.DocumentHolder.menuAddComment": "Kommentar hinzufügen", - "SSE.Controllers.DocumentHolder.menuAddLink": "Link hinzufügen", - "SSE.Controllers.DocumentHolder.menuCell": "Zelle", - "SSE.Controllers.DocumentHolder.menuCopy": "Kopieren", - "SSE.Controllers.DocumentHolder.menuCut": "Ausschneiden", - "SSE.Controllers.DocumentHolder.menuDelete": "Löschen", - "SSE.Controllers.DocumentHolder.menuEdit": "Bearbeiten", - "SSE.Controllers.DocumentHolder.menuFreezePanes": "Fenster fixieren", - "SSE.Controllers.DocumentHolder.menuHide": "Verbergen", - "SSE.Controllers.DocumentHolder.menuMerge": "Verbinden", - "SSE.Controllers.DocumentHolder.menuMore": "Mehr", - "SSE.Controllers.DocumentHolder.menuOpenLink": "Link öffnen", - "SSE.Controllers.DocumentHolder.menuPaste": "Einfügen", - "SSE.Controllers.DocumentHolder.menuShow": "Anzeigen", - "SSE.Controllers.DocumentHolder.menuUnfreezePanes": "Fixierung aufheben", - "SSE.Controllers.DocumentHolder.menuUnmerge": "Verbund aufheben", - "SSE.Controllers.DocumentHolder.menuUnwrap": "Umbruch aufheben", - "SSE.Controllers.DocumentHolder.menuViewComment": "Kommentar anzeigen", - "SSE.Controllers.DocumentHolder.menuWrap": "Umbrechen", - "SSE.Controllers.DocumentHolder.notcriticalErrorTitle": "Warnung", - "SSE.Controllers.DocumentHolder.sheetCancel": "Abbrechen", - "SSE.Controllers.DocumentHolder.textCopyCutPasteActions": "Funktionen \"Kopieren\", \"Ausschneiden\" und \"Einfügen\"", - "SSE.Controllers.DocumentHolder.textDoNotShowAgain": "Nicht wieder anzeigen", - "SSE.Controllers.DocumentHolder.warnMergeLostData": "Nur die Daten aus der oberen linken Zelle bleiben nach der Vereinigung.
Möchten Sie wirklich fortsetzen?", - "SSE.Controllers.EditCell.textAuto": "Automatisch", - "SSE.Controllers.EditCell.textFonts": "Schriftarten", - "SSE.Controllers.EditCell.textPt": "pt", - "SSE.Controllers.EditChart.errorMaxRows": "FEHLER! Maximale Anzahl an Datenreihen pro Diagramm ist 255.", - "SSE.Controllers.EditChart.errorStockChart": "Falsche Reihenfolge der Zeilen. Um ein Kursdiagramm zu erstellen, ordnen Sie die Daten auf dem Blatt folgendermaßen an:
Eröffnungspreis, Höchstpreis, Tiefstpreis, Schlusskurs.", - "SSE.Controllers.EditChart.textAuto": "Automatisch", - "SSE.Controllers.EditChart.textBetweenTickMarks": "Zwischen den Teilstrichen", - "SSE.Controllers.EditChart.textBillions": "Milliarden", - "SSE.Controllers.EditChart.textBottom": "Unten", - "SSE.Controllers.EditChart.textCenter": "Zentriert", - "SSE.Controllers.EditChart.textCross": "Schnittpunkt", - "SSE.Controllers.EditChart.textCustom": "Benutzerdefiniert", - "SSE.Controllers.EditChart.textFit": "an Breite anpassen", - "SSE.Controllers.EditChart.textFixed": "Fixiert", - "SSE.Controllers.EditChart.textHigh": "Hoch", - "SSE.Controllers.EditChart.textHorizontal": "Horizontal", - "SSE.Controllers.EditChart.textHundredMil": "100 000 000", - "SSE.Controllers.EditChart.textHundreds": "Hunderte", - "SSE.Controllers.EditChart.textHundredThousands": "100 000", - "SSE.Controllers.EditChart.textIn": "in", - "SSE.Controllers.EditChart.textInnerBottom": "Innere Untere", - "SSE.Controllers.EditChart.textInnerTop": "Innen oben", - "SSE.Controllers.EditChart.textLeft": "Links", - "SSE.Controllers.EditChart.textLeftOverlay": "Überlagerung links", - "SSE.Controllers.EditChart.textLow": "Niedrig", - "SSE.Controllers.EditChart.textManual": "Manuell", - "SSE.Controllers.EditChart.textMaxValue": "Maximalwert", - "SSE.Controllers.EditChart.textMillions": "Millionen", - "SSE.Controllers.EditChart.textMinValue": "Minimalwert", - "SSE.Controllers.EditChart.textNextToAxis": "Neben der Achse", - "SSE.Controllers.EditChart.textNone": "Kein", - "SSE.Controllers.EditChart.textNoOverlay": "Ohne Überlagerung", - "SSE.Controllers.EditChart.textOnTickMarks": "Teilstriche", - "SSE.Controllers.EditChart.textOut": "Außen", - "SSE.Controllers.EditChart.textOuterTop": "Außen oben", - "SSE.Controllers.EditChart.textOverlay": "Überlagerung", - "SSE.Controllers.EditChart.textRight": "Rechts", - "SSE.Controllers.EditChart.textRightOverlay": "Überlagerung rechts", - "SSE.Controllers.EditChart.textRotated": "Gedreht", - "SSE.Controllers.EditChart.textTenMillions": "10 000 000", - "SSE.Controllers.EditChart.textTenThousands": "10 000", - "SSE.Controllers.EditChart.textThousands": "Tausende", - "SSE.Controllers.EditChart.textTop": "Oben", - "SSE.Controllers.EditChart.textTrillions": "Billionen", - "SSE.Controllers.EditChart.textValue": "Wert", - "SSE.Controllers.EditContainer.textCell": "Zelle", - "SSE.Controllers.EditContainer.textChart": "Diagramm", - "SSE.Controllers.EditContainer.textHyperlink": "Hyperlink", - "SSE.Controllers.EditContainer.textImage": "Bild", - "SSE.Controllers.EditContainer.textSettings": "Einstellungen", - "SSE.Controllers.EditContainer.textShape": "Form", - "SSE.Controllers.EditContainer.textTable": "Tabelle", - "SSE.Controllers.EditContainer.textText": "Text", - "SSE.Controllers.EditHyperlink.notcriticalErrorTitle": "Warnung", - "SSE.Controllers.EditHyperlink.textDefault": "Gewählter Bereich", - "SSE.Controllers.EditHyperlink.textEmptyImgUrl": "Sie müssen eine Bild-URL angeben.", - "SSE.Controllers.EditHyperlink.textExternalLink": "Externer Link", - "SSE.Controllers.EditHyperlink.textInternalLink": "Interner Datenbereich", - "SSE.Controllers.EditHyperlink.textInvalidRange": "Ungültiger Zellenbereich", - "SSE.Controllers.EditHyperlink.txtNotUrl": "Dieser Bereich soll ein URL in der Format \"http://www.example.com\" sein.", - "SSE.Controllers.EditImage.notcriticalErrorTitle": "Warnung", - "SSE.Controllers.EditImage.textEmptyImgUrl": "Sie müssen die URL des Bildes angeben.", - "SSE.Controllers.EditImage.txtNotUrl": "Dieses Feld muss URL im Format \"http://www.example.com\" sein", - "SSE.Controllers.FilterOptions.textEmptyItem": "{Lücken}", - "SSE.Controllers.FilterOptions.textErrorMsg": "Sie müssen zumindest einen Wert wählen", - "SSE.Controllers.FilterOptions.textErrorTitle": "Warnung", - "SSE.Controllers.FilterOptions.textSelectAll": "Alles auswählen", - "SSE.Controllers.Main.advCSVOptions": "CSV-Optionen auswählen", - "SSE.Controllers.Main.advDRMEnterPassword": "Kennwort eingeben", - "SSE.Controllers.Main.advDRMOptions": "Geschützte Datei", - "SSE.Controllers.Main.advDRMPassword": "Kennwort", - "SSE.Controllers.Main.applyChangesTextText": "Daten werden geladen...", - "SSE.Controllers.Main.applyChangesTitleText": "Daten werden geladen", - "SSE.Controllers.Main.closeButtonText": "Datei schließen", - "SSE.Controllers.Main.convertationTimeoutText": "Zeitüberschreitung bei der Konvertierung.", - "SSE.Controllers.Main.criticalErrorExtText": "Drücken Sie \"OK\", um zur Dokumentenliste zurückzukehren.", - "SSE.Controllers.Main.criticalErrorTitle": "Fehler", - "SSE.Controllers.Main.downloadErrorText": "Herunterladen ist fehlgeschlagen.", - "SSE.Controllers.Main.downloadMergeText": "Wird heruntergeladen...", - "SSE.Controllers.Main.downloadMergeTitle": "Wird heruntergeladen", - "SSE.Controllers.Main.downloadTextText": "Kalkulationstabelle wird heruntergeladen...", - "SSE.Controllers.Main.downloadTitleText": "Herunterladen der Kalkulationstabelle", - "SSE.Controllers.Main.errorAccessDeny": "Sie versuchen, eine Aktion durchzuführen, für die Sie keine Rechte haben.
Bitte wenden Sie sich an Ihren Document Serveradministrator.", - "SSE.Controllers.Main.errorArgsRange": "Die eingegebene Formel enthält einen Fehler.
Falscher Argumentbereich wurde genutzt.", - "SSE.Controllers.Main.errorAutoFilterChange": "Der Vorgang ist nicht zulässig, denn es wurde versucht, Zellen in der Tabelle auf Ihrem Arbeitsblatt zu verschieben.", - "SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "Dieser Vorgang kann für die gewählten Zellen nicht ausgeführt werden, weil Sie einen Teil der Tabelle nicht verschieben können.
Wählen Sie den anderen Datenbereich, so dass die ganze Tabelle verschoben wurde und versuchen Sie noch einmal.", - "SSE.Controllers.Main.errorAutoFilterDataRange": "Der Vorgang kann für einen ausgewählten Zellbereich nicht ausgeführt werden.
Wählen Sie einen einheitlichen Datenbereich, der sich deutlich von dem bestehenden unterscheidet und versuchen Sie es erneut.", - "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.errorChangeArray": "Sie können einen Teil eines Arrays nicht ändern.", - "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Verbindung zum Server ist verloren gegangen. Sie können nicht mehr editieren.", - "SSE.Controllers.Main.errorConnectToServer": "Das Dokument konnte nicht gespeichert werden. Bitte überprüfen Sie die Verbindungseinstellungen oder wenden Sie sich an Ihren Administrator.
Wenn Sie auf die Schaltfläche \"OK\" klicken, werden Sie aufgefordert das Dokument herunterzuladen.", - "SSE.Controllers.Main.errorCopyMultiselectArea": "Dieser Befehl kann nicht bei Mehrfachauswahl verwendet werden
Wählen Sie nur einen einzelnen Bereich aus, und versuchen Sie es nochmal.", - "SSE.Controllers.Main.errorCountArg": "Die eingegebene Formel enthält einen Fehler.
Es wurde falsche Anzahl an Argumenten benutzt.", - "SSE.Controllers.Main.errorCountArgExceed": "Die eingegebene Formel enthält einen Fehler.
Anzahl der Argumente wurde überschritten.", - "SSE.Controllers.Main.errorCreateDefName": "Die bestehende benannte Bereiche können nicht bearbeitet werden und neue Bereiche können
im Moment nicht erstellt werden, weil einige von ihnen sind in Bearbeitung.", - "SSE.Controllers.Main.errorDatabaseConnection": "Externer Fehler.
Datenbank-Verbindungsfehler. Wenden Sie sich an den Support.", - "SSE.Controllers.Main.errorDataEncrypted": "Änderungen wurden verschlüsselt. Sie können nicht entschlüsselt werden.", - "SSE.Controllers.Main.errorDataRange": "Falscher Datenbereich.", - "SSE.Controllers.Main.errorDataValidate": "Der eingegebene Wert ist ungültig.
Die Werte, die in diese Zelle eingegeben werden können, sind begrenzt.", - "SSE.Controllers.Main.errorDefaultMessage": "Fehlercode: %1", - "SSE.Controllers.Main.errorEditingDownloadas": "Bei der Arbeit mit dem Dokument ist ein Fehler aufgetreten.
Verwenden Sie die Option \"Herunterladen\", um die Sicherungskopie der Datei auf der Festplatte Ihres Computers zu speichern.", - "SSE.Controllers.Main.errorFilePassProtect": "Das Dokument ist kennwortgeschützt und kann nicht geöffnet werden.", - "SSE.Controllers.Main.errorFileRequest": "Externer Fehler.
Fehler bei der Dateianfrage. Bitte wenden Sie sich an den Kundendienst, falls der Fehler bestehen bleibt.", - "SSE.Controllers.Main.errorFileSizeExceed": "Die Dateigröße überschreitet die für Ihren Server festgelegte Einschränkung.
Weitere Informationen können Sie von Ihrem Document Server-Administrator erhalten.", - "SSE.Controllers.Main.errorFileVKey": "Externer Fehler.
Ungültiger Sicherheitsschlüssel. Bitte wenden Sie sich an den Kundendienst, falls der Fehler bestehen bleibt.", - "SSE.Controllers.Main.errorFillRange": "Der gewählte Zellbereich kann nicht ausgefüllt werden.
Alle verbundenen Zellen müssen die gleiche Größe haben.", - "SSE.Controllers.Main.errorFormulaName": "Die eingegebene Formel enthält einen Fehler.
Es wurde falschen Formelnamen benutzt.", - "SSE.Controllers.Main.errorFormulaParsing": "Interner Fehler bei der Syntaxanalyse der Formel.", - "SSE.Controllers.Main.errorFrmlMaxLength": "Ihre Formel ist länger als 8192 Symbole.
Bitte bearbeiten Sie diese und versuchen Sie neu.", - "SSE.Controllers.Main.errorFrmlMaxReference": "Sie können solche Formel nicht eingeben, denn Sie zu viele Werte,
Zellbezüge und/oder Namen beinhaltet.", - "SSE.Controllers.Main.errorFrmlMaxTextLength": "Textwerte in Formeln sind auf 255 Zeichen begrenzt.
Verwenden Sie die Funktion VERKETTEN oder den Verkettungsoperator (&).", - "SSE.Controllers.Main.errorFrmlWrongReferences": "Die Funktion bezieht sich auf ein Blatt, das nicht existiert.
Bitte überprüfen Sie die Daten und versuchen Sie es erneut.", - "SSE.Controllers.Main.errorInvalidRef": "Geben Sie einen korrekten Namen oder einen gültigen Webverweis ein.", - "SSE.Controllers.Main.errorKeyEncrypt": "Unbekannter Schlüsseldeskriptor", - "SSE.Controllers.Main.errorKeyExpire": "Der Schlüsseldeskriptor ist abgelaufen", - "SSE.Controllers.Main.errorLockedAll": "Die Operation kann nicht durchgeführt werden, weil das Blatt von einem anderen Benutzer gesperrt ist.", - "SSE.Controllers.Main.errorLockedCellPivot": "Die Daten innerhalb einer Pivot-Tabelle können nicht geändert werden.", - "SSE.Controllers.Main.errorLockedWorksheetRename": "Umbenennen des Sheets ist derzeit nicht möglich, denn es wird gleichzeitig von einem anderen Benutzer umbenannt.", - "SSE.Controllers.Main.errorMailMergeLoadFile": "Fehler beim Laden des Dokuments. Bitte wählen Sie eine andere Datei.", - "SSE.Controllers.Main.errorMailMergeSaveFile": "Verbinden ist fehlgeschlagen.", - "SSE.Controllers.Main.errorMaxPoints": "Die maximale Punktzahl pro eine Tabelle beträgt 4096 Punkte.", - "SSE.Controllers.Main.errorMoveRange": "Es ist unmöglich, den Teil einer verbundenen Zelle zu ändern", - "SSE.Controllers.Main.errorMultiCellFormula": "Matrixformeln mit mehreren Zellen sind in Tabellen nicht zulässig.", - "SSE.Controllers.Main.errorOpensource": "Sie können in der kostenlosen Community-Version nur Dokumente zu betrachten öffnen. Eine kommerzielle Lizenz ist für die Nutzung der mobilen Web-Editoren erforderlich.", - "SSE.Controllers.Main.errorOpenWarning": "Die Länge einer der Formeln in der Datei hat
die zugelassene Anzahl von Zeichen überschritten und sie wurde entfernt.", - "SSE.Controllers.Main.errorOperandExpected": "Die Syntax der eingegeben Funktion ist nicht korrekt. Bitte überprüfen Sie, ob eine der Klammern - '(' oder ')' fehlt.", - "SSE.Controllers.Main.errorPasteMaxRange": "Zeilen Kopieren und Einfügen stimmen nicht überein.
Bitte wählen Sie einen Bereich der gleichen Größe oder klicken auf die erste Zelle der Zeile, um die kopierten Zellen einzufügen.", - "SSE.Controllers.Main.errorPrintMaxPagesCount": "Leider kann man in der aktuellen Programmversion nicht mehr als 1500 Seiten gleichzeitig drucken.
Diese Einschränkung wird in den kommenden Versionen entfernt.", - "SSE.Controllers.Main.errorProcessSaveResult": "Speichern ist fehlgeschlagen", - "SSE.Controllers.Main.errorServerVersion": "Editor-Version wurde aktualisiert. Die Seite wird neu geladen, um die Änderungen zu übernehmen.", - "SSE.Controllers.Main.errorSessionAbsolute": "Die Bearbeitungssitzung des Dokumentes ist abgelaufen. Laden Sie die Seite neu.", - "SSE.Controllers.Main.errorSessionIdle": "Das Dokument wurde lange nicht bearbeitet. Laden Sie die Seite neu.", - "SSE.Controllers.Main.errorSessionToken": "Die Verbindung zum Server wurde unterbrochen. Laden Sie die Seite neu.", - "SSE.Controllers.Main.errorStockChart": "Falsche Reihenfolge der Zeilen. Um ein Kursdiagramm zu erstellen, ordnen Sie die Daten auf dem Blatt folgendermaßen an:
Eröffnungspreis, Höchstpreis, Tiefstpreis, Schlusskurs.", - "SSE.Controllers.Main.errorToken": "Sicherheitstoken des Dokuments ist nicht korrekt.
Wenden Sie sich an Ihren Serveradministrator.", - "SSE.Controllers.Main.errorTokenExpire": "Sicherheitstoken des Dokuments ist abgelaufen.
Wenden Sie sich an Ihren Serveradministrator.", - "SSE.Controllers.Main.errorUnexpectedGuid": "Externer Fehler.
Unerwartete GUID. Bitte wenden Sie sich an den Kundendienst, falls der Fehler bestehen bleibt.", - "SSE.Controllers.Main.errorUpdateVersion": "Die Dateiversion wurde geändert. Die Seite wird neu geladen.", - "SSE.Controllers.Main.errorUpdateVersionOnDisconnect": "Die Internetverbindung wurde wiederhergestellt und die Dateiversion wurde geändert.
Bevor Sie weiterarbeiten können, müssen Sie die Datei herunterladen oder den Inhalt kopieren, um sicherzustellen, dass nichts verloren geht, und diese Seite anschließend neu laden.", - "SSE.Controllers.Main.errorUserDrop": "Kein Zugriff auf diese Datei ist möglich.", - "SSE.Controllers.Main.errorUsersExceed": "Die nach dem Zahlungsplan erlaubte Benutzeranzahl ist überschritten", - "SSE.Controllers.Main.errorViewerDisconnect": "Die Verbindung ist unterbrochen. Man kann das Dokument anschauen,
aber nicht herunterladen, bis die Verbindung wiederhergestellt und die Seite neu geladen wird.", - "SSE.Controllers.Main.errorWrongBracketsCount": "Die eingegebene Formel enthält einen Fehler.
Es wurde falsche Anzahl an Klammern wurde benutzt.", - "SSE.Controllers.Main.errorWrongOperator": "Die eingegebene Formel enthält einen Fehler. Falscher Operator wurde genutzt.
Bitte korrigieren Sie den Fehler.", - "SSE.Controllers.Main.leavePageText": "Dieses Dokument enthält ungespeicherte Änderungen. Klicken Sie \"Auf dieser Seite bleiben\", um auf automatisches Speichern des Dokumentes zu warten. Klicken Sie \"Diese Seite verlassen\", um alle nicht gespeicherten Änderungen zu verwerfen.", - "SSE.Controllers.Main.loadFontsTextText": "Daten werden geladen...", - "SSE.Controllers.Main.loadFontsTitleText": "Daten werden geladen", - "SSE.Controllers.Main.loadFontTextText": "Daten werden geladen...", - "SSE.Controllers.Main.loadFontTitleText": "Daten werden geladen", - "SSE.Controllers.Main.loadImagesTextText": "Bilder werden geladen...", - "SSE.Controllers.Main.loadImagesTitleText": "Bilder werden geladen", - "SSE.Controllers.Main.loadImageTextText": "Bild wird geladen...", - "SSE.Controllers.Main.loadImageTitleText": "Bild wird geladen", - "SSE.Controllers.Main.loadingDocumentTextText": "Tabelle wird geladen...", - "SSE.Controllers.Main.loadingDocumentTitleText": "Tabelle wird geladen", - "SSE.Controllers.Main.mailMergeLoadFileText": "Laden der Datenquellen...", - "SSE.Controllers.Main.mailMergeLoadFileTitle": "Laden der Datenquellen", - "SSE.Controllers.Main.notcriticalErrorTitle": "Warnung", - "SSE.Controllers.Main.openErrorText": "Beim Öffnen dieser Datei ist ein Fehler aufgetreten.", - "SSE.Controllers.Main.openTextText": "Dokument wird geöffnet...", - "SSE.Controllers.Main.openTitleText": "Das Dokument wird geöffnet", - "SSE.Controllers.Main.pastInMergeAreaError": "Es ist unmöglich, einen Teil der vereinigten Zelle zu ändern", - "SSE.Controllers.Main.printTextText": "Dokument wird ausgedruckt...", - "SSE.Controllers.Main.printTitleText": "Drucken des Dokuments", - "SSE.Controllers.Main.reloadButtonText": "Seite neu laden", - "SSE.Controllers.Main.requestEditFailedMessageText": "Das Dokument wurde gerade von einem anderen Benutzer bearbeitet. Bitte versuchen Sie es später erneut.", - "SSE.Controllers.Main.requestEditFailedTitleText": "Zugriff verweigert", - "SSE.Controllers.Main.saveErrorText": "Beim Speichern dieser Datei ist ein Fehler aufgetreten.", - "SSE.Controllers.Main.savePreparingText": "Speichervorbereitung", - "SSE.Controllers.Main.savePreparingTitle": "Speichervorbereitung. Bitte warten...", - "SSE.Controllers.Main.saveTextText": "Dokument wird gespeichert...", - "SSE.Controllers.Main.saveTitleText": "Dokument wird gespeichert...", - "SSE.Controllers.Main.scriptLoadError": "Die Verbindung ist zu langsam, einige der Komponenten konnten nicht geladen werden. Bitte laden Sie die Seite erneut.", - "SSE.Controllers.Main.sendMergeText": "Merge-Vesand...", - "SSE.Controllers.Main.sendMergeTitle": "Merge-Vesand", - "SSE.Controllers.Main.textAnonymous": "Anonym", - "SSE.Controllers.Main.textBack": "Zurück", - "SSE.Controllers.Main.textBuyNow": "Webseite besuchen", - "SSE.Controllers.Main.textCancel": "Abbrechen", - "SSE.Controllers.Main.textClose": "Schließen", - "SSE.Controllers.Main.textContactUs": "Verkaufsteam", - "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.textDone": "Fertig", - "SSE.Controllers.Main.textGuest": "Gast", - "SSE.Controllers.Main.textHasMacros": "Diese Datei beinhaltet Makros.
Möchten Sie Makros ausführen?", - "SSE.Controllers.Main.textLoadingDocument": "Tabelle wird geladen", - "SSE.Controllers.Main.textNo": "Nein", - "SSE.Controllers.Main.textNoLicenseTitle": "Lizenzlimit erreicht", - "SSE.Controllers.Main.textOK": "OK", - "SSE.Controllers.Main.textPaidFeature": "Kostenpflichtige Funktion", - "SSE.Controllers.Main.textPassword": "Kennwort", - "SSE.Controllers.Main.textPreloader": "Ladevorgang...", - "SSE.Controllers.Main.textRemember": "Meine Entscheidung merken", - "SSE.Controllers.Main.textShape": "Form", - "SSE.Controllers.Main.textStrict": "Formaler Modus", - "SSE.Controllers.Main.textTryUndoRedo": "Undo/Redo Optionen sind für den halbformalen Zusammenbearbeitungsmodus deaktiviert.
Klicken Sie auf den Button \"Formaler Modus\", um den formalen Zusammenbearbeitungsmodus zu aktivieren, um die Datei, ohne Störungen anderer Benutzer zu bearbeiten und die Änderungen erst nachdem Sie sie gespeichert haben, zu senden. Sie können zwischen den Zusammenbearbeitungsmodi mit der Hilfe der erweiterten Einstellungen von Editor umschalten.", - "SSE.Controllers.Main.textUsername": "Benutzername", - "SSE.Controllers.Main.textYes": "Ja", - "SSE.Controllers.Main.titleLicenseExp": "Lizenz ist abgelaufen", - "SSE.Controllers.Main.titleServerVersion": "Editor wurde aktualisiert", - "SSE.Controllers.Main.titleUpdateVersion": "Version wurde geändert", - "SSE.Controllers.Main.txtAccent": "Akzent", - "SSE.Controllers.Main.txtArt": "Hier den Text eingeben", - "SSE.Controllers.Main.txtBasicShapes": "Standardformen", - "SSE.Controllers.Main.txtButtons": "Buttons", - "SSE.Controllers.Main.txtCallouts": "Legenden", - "SSE.Controllers.Main.txtCharts": "Diagramme", - "SSE.Controllers.Main.txtDelimiter": "Trennzeichen", - "SSE.Controllers.Main.txtDiagramTitle": "Diagrammtitel", - "SSE.Controllers.Main.txtEditingMode": "Bearbeitungsmodus einschalten...", - "SSE.Controllers.Main.txtEncoding": "Zeichenkodierung", - "SSE.Controllers.Main.txtErrorLoadHistory": "Laden der Historie ist fehlgeschlagen", - "SSE.Controllers.Main.txtFiguredArrows": "Geformte Pfeile", - "SSE.Controllers.Main.txtLines": "Linien", - "SSE.Controllers.Main.txtMath": "Mathematik", - "SSE.Controllers.Main.txtProtected": "Sobald Sie das Passwort eingegeben und die Datei geöffnet haben, wird das aktuelle Passwort für die Datei zurückgesetzt", - "SSE.Controllers.Main.txtRectangles": "Rechtecke", - "SSE.Controllers.Main.txtSeries": "Reihen", - "SSE.Controllers.Main.txtSpace": "Leerzeichen", - "SSE.Controllers.Main.txtStarsRibbons": "Sterne & Bänder", - "SSE.Controllers.Main.txtStyle_Bad": "Schlecht", - "SSE.Controllers.Main.txtStyle_Calculation": "Berechnung", - "SSE.Controllers.Main.txtStyle_Check_Cell": "Zelle überprüfen", - "SSE.Controllers.Main.txtStyle_Comma": "Finanziell", - "SSE.Controllers.Main.txtStyle_Currency": "Währung", - "SSE.Controllers.Main.txtStyle_Explanatory_Text": "Erklärender Text", - "SSE.Controllers.Main.txtStyle_Good": "Gut", - "SSE.Controllers.Main.txtStyle_Heading_1": "Überschrift 1", - "SSE.Controllers.Main.txtStyle_Heading_2": "Überschrift 2", - "SSE.Controllers.Main.txtStyle_Heading_3": "Überschrift 3", - "SSE.Controllers.Main.txtStyle_Heading_4": "Überschrift 4", - "SSE.Controllers.Main.txtStyle_Input": "Eingabe", - "SSE.Controllers.Main.txtStyle_Linked_Cell": "Verknüpfte Zelle", - "SSE.Controllers.Main.txtStyle_Neutral": "Neutral", - "SSE.Controllers.Main.txtStyle_Normal": "Normal", - "SSE.Controllers.Main.txtStyle_Note": "Hinweis", - "SSE.Controllers.Main.txtStyle_Output": "Ausgabe", - "SSE.Controllers.Main.txtStyle_Percent": "Prozent", - "SSE.Controllers.Main.txtStyle_Title": "Titel", - "SSE.Controllers.Main.txtStyle_Total": "Insgesamt", - "SSE.Controllers.Main.txtStyle_Warning_Text": "Warnungstext", - "SSE.Controllers.Main.txtTab": "Tabulator", - "SSE.Controllers.Main.txtXAxis": "x-Achse", - "SSE.Controllers.Main.txtYAxis": "y-Achse", - "SSE.Controllers.Main.unknownErrorText": "Unbekannter Fehler.", - "SSE.Controllers.Main.unsupportedBrowserErrorText": "Ihr Webbrowser wird nicht unterstützt.", - "SSE.Controllers.Main.uploadImageExtMessage": "Unbekanntes Bildformat.", - "SSE.Controllers.Main.uploadImageFileCountMessage": "Kein Bild wird hochgeladen.", - "SSE.Controllers.Main.uploadImageSizeMessage": "Die maximal zulässige Bildgröße ist überschritten.", - "SSE.Controllers.Main.uploadImageTextText": "Bild wird hochgeladen...", - "SSE.Controllers.Main.uploadImageTitleText": "Bild wird hochgeladen", - "SSE.Controllers.Main.waitText": "Bitte warten...", - "SSE.Controllers.Main.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.", - "SSE.Controllers.Main.warnLicenseExp": "Ihre Lizenz ist abgelaufen.
Bitte aktualisieren Sie Ihre Lizenz und laden Sie die Seite neu.", - "SSE.Controllers.Main.warnLicenseLimitedNoAccess": "Die Lizenz ist abgelaufen.
Die Bearbeitungsfunktionen sind nicht verfügbar.
Bitte wenden Sie sich an Ihrem Administrator.", - "SSE.Controllers.Main.warnLicenseLimitedRenewed": "Die Lizenz soll aktualisiert werden.
Die Bearbeitungsfunktionen sind eingeschränkt.
Bitte wenden Sie sich an Ihrem Administrator für vollen Zugriff", - "SSE.Controllers.Main.warnLicenseUsersExceeded": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte wenden Sie sich an Ihren Administrator, um weitere Informationen zu erhalten.", - "SSE.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.", - "SSE.Controllers.Main.warnNoLicenseUsers": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.", - "SSE.Controllers.Main.warnProcessRightsChange": "Das Recht, die Datei zu bearbeiten, wurde Ihnen verweigert.", - "SSE.Controllers.Search.textNoTextFound": "Der Text wurde nicht gefunden.", - "SSE.Controllers.Search.textReplaceAll": "Alle ersetzen", - "SSE.Controllers.Settings.notcriticalErrorTitle": "Warnung", - "SSE.Controllers.Settings.txtDe": "Deutsch", - "SSE.Controllers.Settings.txtEn": "Englisch", - "SSE.Controllers.Settings.txtEs": "Spanisch", - "SSE.Controllers.Settings.txtFr": "Französisch", - "SSE.Controllers.Settings.txtIt": "Italienisch", - "SSE.Controllers.Settings.txtPl": "Polnisch", - "SSE.Controllers.Settings.txtRu": "Russisch", - "SSE.Controllers.Settings.warnDownloadAs": "Wenn Sie mit dem Speichern in diesem Format fortsetzen, werden alle Objekte außer Text verloren gehen.
Möchten Sie wirklich fortsetzen?", - "SSE.Controllers.Statusbar.cancelButtonText": "Abbrechen", - "SSE.Controllers.Statusbar.errNameExists": "Das Tabellenblatt mit einem solchen Namen existiert bereits.", - "SSE.Controllers.Statusbar.errNameWrongChar": "Der Tabellenname kann die folgenden Zeichen nicht enthalten: \\, /, *,?, [,],:", - "SSE.Controllers.Statusbar.errNotEmpty": "Der Tabellenname darf nicht leer sein", - "SSE.Controllers.Statusbar.errorLastSheet": "Ein Arbeitsbuch muss mindestens ein sichtbares Worksheet enthalten.", - "SSE.Controllers.Statusbar.errorRemoveSheet": "Worksheet kann nicht gelöscht werden. ", - "SSE.Controllers.Statusbar.menuDelete": "Löschen", - "SSE.Controllers.Statusbar.menuDuplicate": "Verdoppeln", - "SSE.Controllers.Statusbar.menuHide": "Verbergen", - "SSE.Controllers.Statusbar.menuMore": "Mehr", - "SSE.Controllers.Statusbar.menuRename": "Umbenennen", - "SSE.Controllers.Statusbar.menuUnhide": "Einblenden", - "SSE.Controllers.Statusbar.notcriticalErrorTitle": "Achtung", - "SSE.Controllers.Statusbar.strRenameSheet": "Tabelle umbenennen", - "SSE.Controllers.Statusbar.strSheet": "Sheet", - "SSE.Controllers.Statusbar.strSheetName": "Tabellenname", - "SSE.Controllers.Statusbar.textExternalLink": "Externer Link", - "SSE.Controllers.Statusbar.warnDeleteSheet": "Worksheet kann die Daten enthalten. Fortsetzen?", - "SSE.Controllers.Toolbar.dlgLeaveMsgText": "Dieses Dokument enthält ungespeicherte Änderungen. Klicken Sie \"Auf dieser Seite bleiben\", um auf automatisches Speichern des Dokumentes zu warten. Klicken Sie \"Diese Seite verlassen\", um alle nicht gespeicherten Änderungen zu verwerfen.", - "SSE.Controllers.Toolbar.dlgLeaveTitleText": "Sie verlassen die Anwendung", - "SSE.Controllers.Toolbar.leaveButtonText": "Seite verlassen", - "SSE.Controllers.Toolbar.stayButtonText": "Auf dieser Seite bleiben", - "SSE.Views.AddFunction.sCatDateAndTime": "Datum und Zeit", - "SSE.Views.AddFunction.sCatEngineering": "Engineering", - "SSE.Views.AddFunction.sCatFinancial": "Finanziell", - "SSE.Views.AddFunction.sCatInformation": "Information", - "SSE.Views.AddFunction.sCatLogical": "Logisch", - "SSE.Views.AddFunction.sCatLookupAndReference": "Nachschlage- und Verweisfunktionen", - "SSE.Views.AddFunction.sCatMathematic": "Mathematik und Trigonometrie", - "SSE.Views.AddFunction.sCatStatistical": "Statistisch", - "SSE.Views.AddFunction.sCatTextAndData": "Text und Daten", - "SSE.Views.AddFunction.textBack": "Zurück", - "SSE.Views.AddFunction.textGroups": "Kategorien", - "SSE.Views.AddLink.textAddLink": "Link hinzufügen", - "SSE.Views.AddLink.textAddress": "Adresse", - "SSE.Views.AddLink.textDisplay": "Anzeigen", - "SSE.Views.AddLink.textExternalLink": "Externer Link", - "SSE.Views.AddLink.textInsert": "Einfügen", - "SSE.Views.AddLink.textInternalLink": "Interner Datenbereich", - "SSE.Views.AddLink.textLink": "Link", - "SSE.Views.AddLink.textLinkType": "Typ der Verknüpfung", - "SSE.Views.AddLink.textRange": "Bereich", - "SSE.Views.AddLink.textRequired": "Erforderlich", - "SSE.Views.AddLink.textSelectedRange": "Ausgewählter Bereich", - "SSE.Views.AddLink.textSheet": "Sheet", - "SSE.Views.AddLink.textTip": "Info-Tipp", - "SSE.Views.AddOther.textAddComment": "Kommentar hinzufügen", - "SSE.Views.AddOther.textAddress": "Adresse", - "SSE.Views.AddOther.textBack": "Zurück", - "SSE.Views.AddOther.textComment": "Kommentar", - "SSE.Views.AddOther.textDone": "Fertig", - "SSE.Views.AddOther.textFilter": "Filter", - "SSE.Views.AddOther.textFromLibrary": "Bild aus der Bibliothek", - "SSE.Views.AddOther.textFromURL": "Bild aus URL", - "SSE.Views.AddOther.textImageURL": "Bild-URL", - "SSE.Views.AddOther.textInsert": "Einfügen", - "SSE.Views.AddOther.textInsertImage": "Bild einfügen", - "SSE.Views.AddOther.textLink": "Link", - "SSE.Views.AddOther.textLinkSettings": "Linkeinstellungen", - "SSE.Views.AddOther.textSort": "Sortieren und Filtern", - "SSE.Views.EditCell.textAccounting": "Rechnungswesen", - "SSE.Views.EditCell.textAddCustomColor": "Eine benutzerdefinierte Farbe hinzufügen", - "SSE.Views.EditCell.textAlignBottom": "Unten ausrichten", - "SSE.Views.EditCell.textAlignCenter": "Zentriert ausrichten", - "SSE.Views.EditCell.textAlignLeft": "Linksbündig ausrichten", - "SSE.Views.EditCell.textAlignMiddle": "Mittig ausrichten", - "SSE.Views.EditCell.textAlignRight": "Rechtsbündig ausrichten", - "SSE.Views.EditCell.textAlignTop": "Oben ausrichten", - "SSE.Views.EditCell.textAllBorders": "Alle Rahmenlinien", - "SSE.Views.EditCell.textAngleClockwise": "Im Uhrzeigersinn drehen", - "SSE.Views.EditCell.textAngleCounterclockwise": "Gegen den Uhrzeigersinn drehen", - "SSE.Views.EditCell.textBack": "Zurück", - "SSE.Views.EditCell.textBorderStyle": "Rahmenart", - "SSE.Views.EditCell.textBottomBorder": "Rahmenlinie unten", - "SSE.Views.EditCell.textCellStyle": "Zellenformatvorlagen", - "SSE.Views.EditCell.textCharacterBold": "B", - "SSE.Views.EditCell.textCharacterItalic": "I", - "SSE.Views.EditCell.textCharacterUnderline": "U", - "SSE.Views.EditCell.textColor": "Farbe", - "SSE.Views.EditCell.textCurrency": "Währung", - "SSE.Views.EditCell.textCustomColor": "Benutzerdefinierte Farbe", - "SSE.Views.EditCell.textDate": "Datum", - "SSE.Views.EditCell.textDiagDownBorder": "Rahmenlinien diagonal nach unten", - "SSE.Views.EditCell.textDiagUpBorder": "Rahmenlinien diagonal nach oben", - "SSE.Views.EditCell.textDollar": "US-Dollar", - "SSE.Views.EditCell.textEuro": "Euro", - "SSE.Views.EditCell.textFillColor": "Füllfarbe", - "SSE.Views.EditCell.textFonts": "Schriftarten", - "SSE.Views.EditCell.textFormat": "Format", - "SSE.Views.EditCell.textGeneral": "Allgemein", - "SSE.Views.EditCell.textHorizontalText": "Horizontaler Text", - "SSE.Views.EditCell.textInBorders": "Rahmenlinien innen", - "SSE.Views.EditCell.textInHorBorder": "Innere horizontale Rahmenlinie", - "SSE.Views.EditCell.textInteger": "Ganzzahl", - "SSE.Views.EditCell.textInVertBorder": "Innere vertikale Rahmenlinie", - "SSE.Views.EditCell.textJustified": "Blocksatz", - "SSE.Views.EditCell.textLeftBorder": "Rahmenlinie links", - "SSE.Views.EditCell.textMedium": "Mittelhoch", - "SSE.Views.EditCell.textNoBorder": "Keine Rahmen", - "SSE.Views.EditCell.textNumber": "Nummer", - "SSE.Views.EditCell.textPercentage": "Prozentsatz", - "SSE.Views.EditCell.textPound": "Pfund", - "SSE.Views.EditCell.textRightBorder": "Rahmenlinie rechts", - "SSE.Views.EditCell.textRotateTextDown": "Text nach unten drehen", - "SSE.Views.EditCell.textRotateTextUp": "Text nach oben drehen", - "SSE.Views.EditCell.textRouble": "Rubel", - "SSE.Views.EditCell.textScientific": "Wissenschaftlich", - "SSE.Views.EditCell.textSize": "Größe", - "SSE.Views.EditCell.textText": "Text", - "SSE.Views.EditCell.textTextColor": "Textfarbe", - "SSE.Views.EditCell.textTextFormat": "Textformat", - "SSE.Views.EditCell.textTextOrientation": "Textausrichtung", - "SSE.Views.EditCell.textThick": "Breit", - "SSE.Views.EditCell.textThin": "Dünn", - "SSE.Views.EditCell.textTime": "Zeit", - "SSE.Views.EditCell.textTopBorder": "Rahmenlinie oben", - "SSE.Views.EditCell.textVerticalText": "Vertikaler Text", - "SSE.Views.EditCell.textWrapText": "Textumbruch", - "SSE.Views.EditCell.textYen": "Yen", - "SSE.Views.EditChart.textAddCustomColor": "Eine benutzerdefinierte Farbe hinzufügen", - "SSE.Views.EditChart.textAuto": "Automatisch", - "SSE.Views.EditChart.textAxisCrosses": "Schnittpunkt mit der Achse", - "SSE.Views.EditChart.textAxisOptions": "Parameter der Achse", - "SSE.Views.EditChart.textAxisPosition": "Position der Achse", - "SSE.Views.EditChart.textAxisTitle": "Achsentitel", - "SSE.Views.EditChart.textBack": "Zurück", - "SSE.Views.EditChart.textBackward": "Rückwärts navigieren", - "SSE.Views.EditChart.textBorder": "Rahmen", - "SSE.Views.EditChart.textBottom": "Unten", - "SSE.Views.EditChart.textChart": "Diagramm", - "SSE.Views.EditChart.textChartTitle": "Diagrammtitel", - "SSE.Views.EditChart.textColor": "Farbe", - "SSE.Views.EditChart.textCrossesValue": "Wert", - "SSE.Views.EditChart.textCustomColor": "Benutzerdefinierte Farbe", - "SSE.Views.EditChart.textDataLabels": "Datenbeschriftungen", - "SSE.Views.EditChart.textDesign": "Design", - "SSE.Views.EditChart.textDisplayUnits": "Anzeigeeinheiten", - "SSE.Views.EditChart.textFill": "Füllung", - "SSE.Views.EditChart.textForward": "Vorwärts navigieren", - "SSE.Views.EditChart.textGridlines": "Gitternetzlinien ", - "SSE.Views.EditChart.textHorAxis": "Horizontale Achse", - "SSE.Views.EditChart.textHorizontal": "Horizontal", - "SSE.Views.EditChart.textLabelOptions": "Beschriftungsoptionen", - "SSE.Views.EditChart.textLabelPos": "Beschriftungsposition", - "SSE.Views.EditChart.textLayout": "Layout", - "SSE.Views.EditChart.textLeft": "Links", - "SSE.Views.EditChart.textLeftOverlay": "Überlagerung links", - "SSE.Views.EditChart.textLegend": "Legende", - "SSE.Views.EditChart.textMajor": "Primäre", - "SSE.Views.EditChart.textMajorMinor": "Primäre und sekundäre", - "SSE.Views.EditChart.textMajorType": "Primärer Typ", - "SSE.Views.EditChart.textMaxValue": "Maximalwert", - "SSE.Views.EditChart.textMinor": "Unerheblich", - "SSE.Views.EditChart.textMinorType": "Sekundärer Typ", - "SSE.Views.EditChart.textMinValue": "Minimalwert", - "SSE.Views.EditChart.textNone": "Kein", - "SSE.Views.EditChart.textNoOverlay": "Ohne Überlagerung", - "SSE.Views.EditChart.textOverlay": "Überlagerung", - "SSE.Views.EditChart.textRemoveChart": "Diagramm entfernen", - "SSE.Views.EditChart.textReorder": "Neu ordnen", - "SSE.Views.EditChart.textRight": "Rechts", - "SSE.Views.EditChart.textRightOverlay": "Überlagerung rechts", - "SSE.Views.EditChart.textRotated": "Gedreht", - "SSE.Views.EditChart.textSize": "Größe", - "SSE.Views.EditChart.textStyle": "Stil", - "SSE.Views.EditChart.textTickOptions": "Parameter der Teilstriche", - "SSE.Views.EditChart.textToBackground": "In den Hintergrund senden", - "SSE.Views.EditChart.textToForeground": "In den Vordergrund bringen", - "SSE.Views.EditChart.textTop": "Oben", - "SSE.Views.EditChart.textType": "Typ", - "SSE.Views.EditChart.textValReverseOrder": "Werte in umgekehrter Reihenfolge", - "SSE.Views.EditChart.textVerAxis": "Vertikale Achse", - "SSE.Views.EditChart.textVertical": "Vertikal", - "SSE.Views.EditHyperlink.textBack": "Zurück", - "SSE.Views.EditHyperlink.textDisplay": "Anzeigen", - "SSE.Views.EditHyperlink.textEditLink": "Link bearbeiten", - "SSE.Views.EditHyperlink.textExternalLink": "Externer Link", - "SSE.Views.EditHyperlink.textInternalLink": "Interner Datenbereich", - "SSE.Views.EditHyperlink.textLink": "Link", - "SSE.Views.EditHyperlink.textLinkType": "Hyperlinktyp", - "SSE.Views.EditHyperlink.textRange": "Bereich", - "SSE.Views.EditHyperlink.textRemoveLink": "Link entfernen", - "SSE.Views.EditHyperlink.textScreenTip": "Info-Tipp", - "SSE.Views.EditHyperlink.textSheet": "Sheet", - "SSE.Views.EditImage.textAddress": "Adresse", - "SSE.Views.EditImage.textBack": "Zurück", - "SSE.Views.EditImage.textBackward": "Rückwärts navigieren", - "SSE.Views.EditImage.textDefault": "Tatsächliche Größe", - "SSE.Views.EditImage.textForward": "Vorwärts navigieren", - "SSE.Views.EditImage.textFromLibrary": "Bild aus der Bibliothek", - "SSE.Views.EditImage.textFromURL": "Bild aus URL", - "SSE.Views.EditImage.textImageURL": "Bild-URL", - "SSE.Views.EditImage.textLinkSettings": "Verknüpfungseinstellungen", - "SSE.Views.EditImage.textRemove": "Bild entfernen", - "SSE.Views.EditImage.textReorder": "Neu ordnen", - "SSE.Views.EditImage.textReplace": "Ersetzen", - "SSE.Views.EditImage.textReplaceImg": "Bild ersetzen", - "SSE.Views.EditImage.textToBackground": "In den Hintergrund senden", - "SSE.Views.EditImage.textToForeground": "In den Vordergrund bringen", - "SSE.Views.EditShape.textAddCustomColor": "Eine benutzerdefinierte Farbe hinzufügen", - "SSE.Views.EditShape.textBack": "Zurück", - "SSE.Views.EditShape.textBackward": "Rückwärts navigieren", - "SSE.Views.EditShape.textBorder": "Rahmen", - "SSE.Views.EditShape.textColor": "Farbe", - "SSE.Views.EditShape.textCustomColor": "Benutzerdefinierte Farbe", - "SSE.Views.EditShape.textEffects": "Effekte", - "SSE.Views.EditShape.textFill": "Füllung", - "SSE.Views.EditShape.textForward": "Vorwärts navigieren", - "SSE.Views.EditShape.textOpacity": "Intransparenz", - "SSE.Views.EditShape.textRemoveShape": "AutoForm entfernen", - "SSE.Views.EditShape.textReorder": "Neu ordnen", - "SSE.Views.EditShape.textReplace": "Ersetzen", - "SSE.Views.EditShape.textSize": "Größe", - "SSE.Views.EditShape.textStyle": "Stil", - "SSE.Views.EditShape.textToBackground": "In den Hintergrund senden", - "SSE.Views.EditShape.textToForeground": "In den Vordergrund bringen", - "SSE.Views.EditText.textAddCustomColor": "Eine benutzerdefinierte Farbe hinzufügen", - "SSE.Views.EditText.textBack": "Zurück", - "SSE.Views.EditText.textCharacterBold": "B", - "SSE.Views.EditText.textCharacterItalic": "I", - "SSE.Views.EditText.textCharacterUnderline": "U", - "SSE.Views.EditText.textCustomColor": "Benutzerdefinierte Farbe", - "SSE.Views.EditText.textFillColor": "Füllfarbe", - "SSE.Views.EditText.textFonts": "Schriftarten", - "SSE.Views.EditText.textSize": "Größe", - "SSE.Views.EditText.textTextColor": "Textfarbe", - "SSE.Views.FilterOptions.textClearFilter": "Filter löschen", - "SSE.Views.FilterOptions.textDeleteFilter": "Filter entfernen", - "SSE.Views.FilterOptions.textFilter": "Filteroptionen", - "SSE.Views.Search.textByColumns": "Nach Spalten", - "SSE.Views.Search.textByRows": "Nach Zeilen", - "SSE.Views.Search.textDone": "Fertig", - "SSE.Views.Search.textFind": "Suchen", - "SSE.Views.Search.textFindAndReplace": "Suchen und ersetzen", - "SSE.Views.Search.textFormulas": "Formeln", - "SSE.Views.Search.textHighlightRes": "Ergebnisse hervorheben", - "SSE.Views.Search.textLookIn": "Suchen in", - "SSE.Views.Search.textMatchCase": "Groß-/Kleinschreibung", - "SSE.Views.Search.textMatchCell": "Zelle anpassen", - "SSE.Views.Search.textReplace": "Ersetzen", - "SSE.Views.Search.textSearch": "Suchen", - "SSE.Views.Search.textSearchBy": "Suche", - "SSE.Views.Search.textSearchIn": "Suchen", - "SSE.Views.Search.textSheet": "Sheet", - "SSE.Views.Search.textValues": "Werte", - "SSE.Views.Search.textWorkbook": "Arbeitsmappe", - "SSE.Views.Settings.textAbout": "Über", - "SSE.Views.Settings.textAddress": "Adresse", - "SSE.Views.Settings.textApplication": "Anwendung", - "SSE.Views.Settings.textApplicationSettings": "Anwendungseinstellungen", - "SSE.Views.Settings.textAuthor": "Autor", - "SSE.Views.Settings.textBack": "Zurück", - "SSE.Views.Settings.textBottom": "Unten", - "SSE.Views.Settings.textCentimeter": "Zentimeter", - "SSE.Views.Settings.textCollaboration": "Zusammenarbeit", - "SSE.Views.Settings.textColorSchemes": "Farbschemas", - "SSE.Views.Settings.textComment": "Kommentar", - "SSE.Views.Settings.textCommentingDisplay": "Kommentare anzeigen", - "SSE.Views.Settings.textCreated": "Erstellt", - "SSE.Views.Settings.textCreateDate": "Erstellungsdatum", - "SSE.Views.Settings.textCustom": "Benutzerdefiniert", - "SSE.Views.Settings.textCustomSize": "Benutzerdefinierte Größe", - "SSE.Views.Settings.textDisableAll": "Alles deaktivieren", - "SSE.Views.Settings.textDisableAllMacrosWithNotification": "Alle Makros mit einer Benachrichtigung deaktivieren", - "SSE.Views.Settings.textDisableAllMacrosWithoutNotification": "Alle Makros ohne Benachrichtigung deaktivieren", - "SSE.Views.Settings.textDisplayComments": "Kommentare", - "SSE.Views.Settings.textDisplayResolvedComments": "Gelöste Kommentare", - "SSE.Views.Settings.textDocInfo": "Tabelle Information", - "SSE.Views.Settings.textDocTitle": "Titel der Tabelle", - "SSE.Views.Settings.textDone": "Fertig", - "SSE.Views.Settings.textDownload": "Herunterladen", - "SSE.Views.Settings.textDownloadAs": "Herunterladen als...", - "SSE.Views.Settings.textEditDoc": "Dokument bearbeiten", - "SSE.Views.Settings.textEmail": "E-Email", - "SSE.Views.Settings.textEnableAll": "Alles aktivieren.", - "SSE.Views.Settings.textEnableAllMacrosWithoutNotification": "Aktivieren aller Makros mit Benachrichtigung", - "SSE.Views.Settings.textExample": "Beispiel", - "SSE.Views.Settings.textFind": "Suchen", - "SSE.Views.Settings.textFindAndReplace": "Suchen und ersetzen", - "SSE.Views.Settings.textFormat": "Format", - "SSE.Views.Settings.textFormulaLanguage": "Formelsprache ", - "SSE.Views.Settings.textHelp": "Hilfe", - "SSE.Views.Settings.textHideGridlines": "Gitternetzlinien ausblenden", - "SSE.Views.Settings.textHideHeadings": "Überschriften ausblenden", - "SSE.Views.Settings.textInch": "Zoll", - "SSE.Views.Settings.textLandscape": "Querformat", - "SSE.Views.Settings.textLastModified": "Zuletzt geändert", - "SSE.Views.Settings.textLastModifiedBy": "Zuletzt geändert von", - "SSE.Views.Settings.textLeft": "Links", - "SSE.Views.Settings.textLoading": "Ladevorgang...", - "SSE.Views.Settings.textLocation": "Speicherort", - "SSE.Views.Settings.textMacrosSettings": "Makro-Einstellungen", - "SSE.Views.Settings.textMargins": "Seitenränder", - "SSE.Views.Settings.textOrientation": "Ausrichtung", - "SSE.Views.Settings.textOwner": "Besitzer", - "SSE.Views.Settings.textPoint": "Punkt", - "SSE.Views.Settings.textPortrait": "Hochformat", - "SSE.Views.Settings.textPoweredBy": "Betrieben von", - "SSE.Views.Settings.textPrint": "Drucken", - "SSE.Views.Settings.textR1C1Style": "Z1S1-Bezugsart", - "SSE.Views.Settings.textRegionalSettings": "Regionale Einstellungen", - "SSE.Views.Settings.textRight": "Rechts", - "SSE.Views.Settings.textSettings": "Einstellungen", - "SSE.Views.Settings.textShowNotification": "Benachrichtigung anzeigen", - "SSE.Views.Settings.textSpreadsheetFormats": "Formate der Tabellenkalkulation", - "SSE.Views.Settings.textSpreadsheetSettings": "Einstellungen der Tabellenkalkulation", - "SSE.Views.Settings.textSubject": "Thema", - "SSE.Views.Settings.textTel": "Tel.", - "SSE.Views.Settings.textTitle": "Titel", - "SSE.Views.Settings.textTop": "Oben", - "SSE.Views.Settings.textUnitOfMeasurement": "Maßeinheit", - "SSE.Views.Settings.textUploaded": "Hochgeladen", - "SSE.Views.Settings.textVersion": "Version", - "SSE.Views.Settings.unknownText": "Unbekannt", - "SSE.Views.Toolbar.textBack": "Zurück" + "About": { + "textAbout": "Information", + "textAddress": "Adresse", + "textBack": "Zurück", + "textEmail": "E-Mail", + "textPoweredBy": "Unterstützt von", + "textTel": "Tel.", + "textVersion": "Version" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Warnung", + "textAddComment": "Kommentar hinzufügen", + "textAddReply": "Antwort hinzufügen", + "textBack": "Zurück", + "textCancel": "Abbrechen", + "textCollaboration": "Zusammenarbeit", + "textComments": "Kommentare", + "textDeleteComment": "Kommentar löschen", + "textDeleteReply": "Antwort löschen", + "textDone": "Fertig", + "textEdit": "Bearbeiten", + "textEditComment": "Kommentar bearbeiten", + "textEditReply": "Antwort bearbeiten", + "textEditUser": "Das Dokument wird gerade von mehreren Benutzern bearbeitet:", + "textMessageDeleteComment": "Möchten Sie diesen Kommentar wirklich löschen?", + "textMessageDeleteReply": "Möchten Sie diese Antwort wirklich löschen?", + "textNoComments": "Dieses Dokument enthält keine Kommentare", + "textReopen": "Wiederöffnen", + "textResolve": "Lösen", + "textTryUndoRedo": "Die Optionen Rückgängig machen/Wiederholen sind für den Schnellmodus deaktiviert.", + "textUsers": "Benutzer" + }, + "ThemeColorPalette": { + "textCustomColors": "Benutzerdefinierte Farben", + "textStandartColors": "Standardfarben", + "textThemeColors": "Farben des Themas" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "Kopieren, Ausschneiden und Einfügen über das Kontextmenü werden nur in der aktuellen Datei ausgeführt.", + "menuAddComment": "Kommentar hinzufügen", + "menuAddLink": "Link hinzufügen", + "menuCancel": "Abbrechen", + "menuCell": "Zelle", + "menuDelete": "Löschen", + "menuEdit": "Bearbeiten", + "menuFreezePanes": "Fensterausschnitte fixieren", + "menuHide": "Ausblenden", + "menuMerge": "Verbinden", + "menuMore": "Mehr", + "menuOpenLink": "Link öffnen", + "menuShow": "Anzeigen", + "menuUnfreezePanes": "Fixierung aufheben", + "menuUnmerge": "Verbund aufheben", + "menuUnwrap": "Umbruch aufheben", + "menuViewComment": "Kommentar anzeigen", + "menuWrap": "Umbrechen", + "notcriticalErrorTitle": "Warnung", + "textCopyCutPasteActions": "Kopieren, Ausschneiden und Einfügen", + "textDoNotShowAgain": "Nicht mehr anzeigen", + "warnMergeLostData": "Bei diesem Vorgang werden Daten in ausgewählten Zellen zerstört. Möchten Sie fortsetzen?" + }, + "Controller": { + "Main": { + "criticalErrorTitle": "Fehler", + "errorAccessDeny": "Dieser Vorgang ist für Sie nicht verfügbar.
Bitte wenden Sie sich an Administratoren.", + "errorProcessSaveResult": "Fehler beim Speichern von Daten.", + "errorServerVersion": "Version des Editors wurde aktualisiert. Die Seite wird neu geladen, um die Änderungen zu übernehmen.", + "errorUpdateVersion": "Die Dateiversion wurde geändert. Die Seite wird neu geladen.", + "leavePageText": "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.", + "notcriticalErrorTitle": "Warnung", + "SDK": { + "txtAccent": "Akzent", + "txtArt": "Text hier eingeben", + "txtDiagramTitle": "Diagrammtitel", + "txtSeries": "Reihen", + "txtStyle_Bad": "Schlecht", + "txtStyle_Calculation": "Berechnung", + "txtStyle_Check_Cell": "Zelle überprüfen", + "txtStyle_Comma": "Komma", + "txtStyle_Currency": "Währung", + "txtStyle_Explanatory_Text": "Erklärender Text", + "txtStyle_Good": "Gut", + "txtStyle_Heading_1": "Überschrift 1", + "txtStyle_Heading_2": "Überschrift 2", + "txtStyle_Heading_3": "Überschrift 3", + "txtStyle_Heading_4": "Überschrift 4", + "txtStyle_Input": "Eingabe", + "txtStyle_Linked_Cell": "Verknüpfte Zelle", + "txtStyle_Neutral": "Neutral", + "txtStyle_Normal": "Normal", + "txtStyle_Note": "Hinweis", + "txtStyle_Output": "Ausgabe", + "txtStyle_Percent": "Prozent", + "txtStyle_Title": "Titel", + "txtStyle_Total": "Insgesamt", + "txtStyle_Warning_Text": "Warnungstext", + "txtXAxis": "Achse X", + "txtYAxis": "Achse Y" + }, + "textAnonymous": "Anonym", + "textBuyNow": "Webseite besuchen", + "textClose": "Schließen", + "textContactUs": "Verkaufsteam kontaktieren", + "textCustomLoader": "Sie können den Verlader nicht ändern. Sie können die Anfrage an unser Verkaufsteam senden.", + "textGuest": "Gast", + "textHasMacros": "Die Datei beinhaltet automatische Makros.
Möchten Sie Makros ausführen?", + "textNo": "Nein", + "textNoLicenseTitle": "Lizenzlimit erreicht", + "textPaidFeature": "Kostenpflichtige Funktion", + "textRemember": "Auswahl speichern", + "textYes": "Ja", + "titleServerVersion": "Editor wurde aktualisiert", + "titleUpdateVersion": "Version wurde geändert", + "warnLicenseExceeded": "Sie haben die maximale Anzahl von gleichzeitigen Verbindungen in %1-Editoren erreicht. Die Bearbeitung ist jetzt in diesem Dokument nicht verfügbar. Wenden Sie sich an Administratoren für weitere Informationen.", + "warnLicenseLimitedNoAccess": "Lizenz abgelaufen. Keine Bearbeitung möglich. Bitte wenden Sie sich an Administratoren.", + "warnLicenseLimitedRenewed": "Die Lizenz soll aktualisiert werden. Die Bearbeitungsfunktionen sind eingeschränkt.
Bitte wenden Sie sich an Ihrem Administrator für vollen Zugriff", + "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." + } + }, + "Error": { + "convertationTimeoutText": "Zeitüberschreitung bei der Konvertierung.", + "criticalErrorExtText": "Klicken Sie auf OK, um zur Liste von Dokumenten zurückzukehren.", + "criticalErrorTitle": "Fehler", + "downloadErrorText": "Herunterladen ist fehlgeschlagen.", + "errorAccessDeny": "Dieser Vorgang ist für Sie nicht verfügbar.
Bitte wenden Sie sich an Administratoren.", + "errorArgsRange": "Die Formel enthält einen Fehler.
Falscher Bereich von Argumenten.", + "errorAutoFilterChange": "Der Vorgang ist nicht zulässig, denn es wurde versucht, Zellen in der Tabelle auf Ihrem Arbeitsblatt zu verschieben.", + "errorAutoFilterChangeFormatTable": "Dieser Vorgang kann für die gewählten Zellen nicht ausgeführt werden, weil Sie ein Teil der Tabelle nicht verschieben können.
Wählen Sie den anderen Datenbereich, so dass die ganze Tabelle verschoben wurde und versuchen Sie noch einmal.", + "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", + "errorChangeArray": "Sie können einen Teil eines Arrays nicht ändern.", + "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.", + "errorCopyMultiselectArea": "Bei einer Markierung von nicht angrenzenden Zellen ist die Ausführung dieses Befehls nicht möglich.
Wählen Sie nur einen einzelnen Bereich aus und versuchen Sie es noch mal.", + "errorCountArg": "Die Formel enthält einen Fehler.
Ungültige Anzahl von Argumenten.", + "errorCountArgExceed": "Die Formel enthält einen Fehler.
Maximale Anzahl von Argumenten ist überschritten.", + "errorCreateDefName": "Die bestehende benannte Bereiche können nicht bearbeitet werden und neue Bereiche können
im Moment nicht erstellt werden, weil einige von ihnen sind in Bearbeitung.", + "errorDatabaseConnection": "Externer Fehler.
Datenbank-Verbindungsfehler. Wenden Sie sich an den Support.", + "errorDataEncrypted": "Verschlüsselte Änderungen wurden empfangen. Sie können nicht entschlüsselt werden.", + "errorDataRange": "Falscher Datenbereich.", + "errorDataValidate": "Der eingegebene Wert ist ungültig.
Die Werte, die in diese Zelle eingegeben werden können, sind begrenzt.", + "errorDefaultMessage": "Fehlercode: %1", + "errorEditingDownloadas": "Fehler bei der Arbeit an diesem Dokument.
Laden Sie die Datei herunter, um sie lokal zu speichern.", + "errorFilePassProtect": "Die Datei ist mit Passwort geschützt und kann nicht geöffnet werden.", + "errorFileRequest": "Externer Fehler.
Fehler bei der Dateianfrage. Bitte wenden Sie sich an den Support.", + "errorFileSizeExceed": "Die Dateigröße ist zu hoch für Ihren Server.
Bitte wenden Sie sich an Administratoren.", + "errorFileVKey": "Externer Fehler.
Ungültiger Sicherheitsschlüssel. Bitte wenden Sie sich an den Support.", + "errorFillRange": "Der gewählte Zellbereich kann nicht ausgefüllt werden.
Alle verbundenen Zellen müssen die gleiche Größe haben.", + "errorFormulaName": "Die Formel enthält einen Fehler.
Falscher Formelname.", + "errorFormulaParsing": "Interner Fehler bei der Syntaxanalyse der Formel.", + "errorFrmlMaxLength": "Sie können diese Formel nicht hinzufügen, weil ihre Länge die maximal zulässige Anzahl von Zeichen überschreitet.
Bearbeiten Sie die Formel und versuchen Sie neu.", + "errorFrmlMaxReference": "Sie können solche Formel nicht eingeben, denn Sie zu viele Werte,
Zellbezüge und/oder Namen beinhaltet.", + "errorFrmlMaxTextLength": "Textwerte in Formeln sind auf 255 Zeichen begrenzt.
Verwenden Sie die Funktion VERKETTEN oder den Verkettungsoperator (&).", + "errorFrmlWrongReferences": "Die Funktion bezieht sich auf ein Blatt, das nicht existiert.
Bitte überprüfen Sie die Daten und versuchen Sie es erneut.", + "errorInvalidRef": "Geben Sie einen korrekten Namen oder einen gültigen Webverweis ein.", + "errorKeyEncrypt": "Unbekannter Schlüsseldeskriptor", + "errorKeyExpire": "Der Schlüsseldeskriptor ist abgelaufen", + "errorLockedAll": "Die Operation kann nicht durchgeführt werden, weil das Blatt von einem anderen Benutzer gesperrt ist.", + "errorLockedCellPivot": "Die Daten innerhalb einer Pivot-Tabelle können nicht geändert werden.", + "errorLockedWorksheetRename": "Umbenennen des Blattes ist derzeit nicht möglich, denn es wird gleichzeitig von einem anderen Benutzer umbenannt.", + "errorMaxPoints": "Die maximale Punktzahl pro eine Tabelle beträgt 4096 Punkte.", + "errorMoveRange": "Teil einer verbundenen Zelle kann nicht geändert werden", + "errorMultiCellFormula": "Matrixformeln mit mehreren Zellen sind in Tabellen nicht zulässig.", + "errorOpenWarning": "Die Länge einer der Formeln in der Datei hat
die zugelassene Anzahl von Zeichen überschritten und sie wurde entfernt.", + "errorOperandExpected": "Die Syntax der eingegeben Funktion ist nicht korrekt. Bitte überprüfen Sie, ob eine der Klammern - '(' oder ')' fehlt.", + "errorPasteMaxRange": "Zeilen Kopieren und Einfügen stimmen nicht überein. Bitte wählen Sie einen Bereich der gleichen Größe oder klicken auf die erste Zelle der Zeile, um die kopierten Zellen einzufügen.", + "errorPrintMaxPagesCount": "Leider kann man in der aktuellen Programmversion nicht mehr als 1500 Seiten gleichzeitig drucken.
Diese Einschränkung wird in den kommenden Versionen entfernt.", + "errorSessionAbsolute": "Die Bearbeitungssitzung ist abgelaufen. Bitte die Seite neu laden.", + "errorSessionIdle": "Das Dokument wurde schon für lange Zeit nicht bearbeitet. Bitte die Seite neu laden.", + "errorSessionToken": "Die Verbindung mit dem Server wurde unterbrochen. Bitte die Seite neu laden.", + "errorStockChart": "Falsche Reihenfolge der Zeilen. Um ein Kursdiagramm zu erstellen, setzen Sie die Daten im Arbeitsblatt in dieser Reihenfolge:
Eröffnungskurs, Maximaler Preis, Minimaler Preis, Schlusskurs.", + "errorUnexpectedGuid": "Externer Fehler.
Unerwartete GUID. Bitte wenden Sie sich an den Support.", + "errorUpdateVersionOnDisconnect": "Die Internetverbindung wurde wiederhergestellt und die Dateiversion wurde geändert.
Bevor Sie weiterarbeiten können, müssen Sie die Datei herunterladen oder den Inhalt kopieren, um sicherzustellen, dass nichts verloren geht, und diese Seite anschließend neu laden.", + "errorUserDrop": "Kein Zugriff auf diese Datei möglich.", + "errorUsersExceed": "Die nach dem Zahlungsplan erlaubte Anzahl der Benutzer ist überschritten", + "errorViewerDisconnect": "Die Verbindung wurde abgebrochen. Das Dokument wird angezeigt,
das Herunterladen wird aber nur verfügbar, wenn die Verbindung wiederhergestellt ist.", + "errorWrongBracketsCount": "Die Formel enthält einen Fehler.
Falsche Anzahl von Klammern.", + "errorWrongOperator": "Die eingegebene Formel enthält einen Fehler. Falscher Operator wurde genutzt.
Bitte korrigieren Sie den Fehler oder brechen Sie die Formel mit Esc ab.", + "notcriticalErrorTitle": "Warnung", + "openErrorText": "Beim Öffnen dieser Datei ist ein Fehler aufgetreten", + "pastInMergeAreaError": "Teil einer verbundenen Zelle kann nicht geändert werden", + "saveErrorText": "Beim Speichern dieser Datei ist ein Fehler aufgetreten", + "scriptLoadError": "Die Verbindung ist zu langsam, manche Elemente wurden nicht geladen. Bitte die Seite neu laden.", + "unknownErrorText": "Unbekannter Fehler.", + "uploadImageExtMessage": "Unbekanntes Bildformat.", + "uploadImageFileCountMessage": "Keine Bilder hochgeladen.", + "uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten." + }, + "LongActions": { + "applyChangesTextText": "Daten werden geladen...", + "applyChangesTitleText": "Daten werden geladen", + "confirmMoveCellRange": "Der Zielzellenbereich kann Daten enthalten. Möchten Sie fortsetzen?", + "confirmPutMergeRange": "Die Quelldaten enthalten verbundene Zellen.
Vor dem Einfügen dieser Zellen in die Tabelle, wird die Zusammenführung aufgehoben. ", + "confirmReplaceFormulaInTable": "Formeln in der Kopfzeile werden entfernt und in statischen Text konvertiert.
Möchten Sie den Vorgang fortsetzen?", + "downloadTextText": "Dokument wird heruntergeladen...", + "downloadTitleText": "Herunterladen des Dokuments", + "loadFontsTextText": "Daten werden geladen...", + "loadFontsTitleText": "Daten werden geladen", + "loadFontTextText": "Daten werden geladen...", + "loadFontTitleText": "Daten werden geladen", + "loadImagesTextText": "Bilder werden geladen...", + "loadImagesTitleText": "Bilder werden geladen", + "loadImageTextText": "Bild wird geladen...", + "loadImageTitleText": "Bild wird geladen", + "loadingDocumentTextText": "Dokument wird geladen...", + "loadingDocumentTitleText": "Dokument wird geladen...", + "notcriticalErrorTitle": "Warnung", + "openTextText": "Dokument wird geöffnet...", + "openTitleText": "Das Dokument wird geöffnet", + "printTextText": "Dokument wird ausgedruckt...", + "printTitleText": "Drucken des Dokuments", + "savePreparingText": "Speichervorbereitung", + "savePreparingTitle": "Speichervorbereitung. Bitte warten...", + "saveTextText": "Dokument wird gespeichert...", + "saveTitleText": "Dokument wird gespeichert...", + "textLoadingDocument": "Dokument wird geladen...", + "textNo": "Nein", + "textOk": "OK", + "textYes": "Ja", + "txtEditingMode": "Bearbeitungsmodul wird festgelegt...", + "uploadImageTextText": "Das Bild wird hochgeladen...", + "uploadImageTitleText": "Bild wird hochgeladen", + "waitText": "Bitte warten..." + }, + "Statusbar": { + "notcriticalErrorTitle": "Warnung", + "textCancel": "Abbrechen", + "textDelete": "Löschen", + "textDuplicate": "Verdoppeln", + "textErrNameExists": "Es gibt schon ein Arbeitsblatt mit solchem Namen.", + "textErrNameWrongChar": "Der Tabellenname kann die folgenden Zeichen nicht enthalten: \\, /, *,?, [,],:", + "textErrNotEmpty": "Der Blattname darf nicht leer sein", + "textErrorLastSheet": "Ein Arbeitsbuch muss mindestens ein sichtbares Arbeitsblatt enthalten.", + "textErrorRemoveSheet": "Arbeitsblatt kann nicht gelöscht werden. ", + "textHide": "Ausblenden", + "textMore": "Mehr", + "textRename": "Umbenennen", + "textRenameSheet": "Tabelle umbenennen", + "textSheet": "Blatt", + "textSheetName": "Blattname", + "textUnhide": "Einblenden", + "textWarnDeleteSheet": "Das Arbeitsblatt kann Daten enthalten. Möchten Sie fortsetzen?" + }, + "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.", + "dlgLeaveTitleText": "Sie schließen die App", + "leaveButtonText": "Seite verlassen", + "stayButtonText": "Auf dieser Seite bleiben" + }, + "View": { + "Add": { + "errorMaxRows": "FEHLER! Maximale Anzahl an Datenreihen pro Diagramm ist 255.", + "errorStockChart": "Falsche Reihenfolge der Zeilen. Um ein Kursdiagramm zu erstellen, setzen Sie die Daten im Arbeitsblatt in dieser Reihenfolge:
Eröffnungskurs, Maximaler Preis, Minimaler Preis, Schlusskurs.", + "notcriticalErrorTitle": "Warnung", + "sCatDateAndTime": "Datum und Uhrzeit", + "sCatEngineering": "Ingenieurwesen", + "sCatFinancial": "Finanziell", + "sCatInformation": "Informationen", + "sCatLogical": "Logisch", + "sCatLookupAndReference": "Suche und Verweise", + "sCatMathematic": "Mathematik und Trigonometrie", + "sCatStatistical": "Statistik", + "sCatTextAndData": "Text und Daten", + "textAddLink": "Link hinzufügen", + "textAddress": "Adresse", + "textBack": "Zurück", + "textChart": "Diagramm", + "textComment": "Kommentar", + "textDisplay": "Anzeigen", + "textEmptyImgUrl": "Sie müssen die URL des Bildes angeben.", + "textExternalLink": "Externer Link", + "textFilter": "Filter", + "textFunction": "Funktion", + "textGroups": "KATEGORIEN", + "textImage": "Bild", + "textImageURL": "URL des Bildes", + "textInsert": "Einfügen", + "textInsertImage": "Bild einfügen", + "textInternalDataRange": "Interner Datenbereich", + "textInvalidRange": "FEHLER! Ungültiger Zellenbereich", + "textLink": "Link", + "textLinkSettings": "Linkseinstellungen", + "textLinkType": "Linktyp", + "textOther": "Sonstiges", + "textPictureFromLibrary": "Bild aus dem Verzeichnis", + "textPictureFromURL": "Bild aus URL", + "textRange": "Bereich", + "textRequired": "Erforderlich", + "textScreenTip": "QuickInfo", + "textShape": "Form", + "textSheet": "Blatt", + "textSortAndFilter": "Sortieren und Filtern", + "txtNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein." + }, + "Edit": { + "notcriticalErrorTitle": "Warnung", + "textAccounting": "Rechnungswesen", + "textActualSize": "Tatsächliche Größe", + "textAddCustomColor": "Eine benutzerdefinierte Farbe hinzufügen", + "textAddress": "Adresse", + "textAlign": "Ausrichtung", + "textAlignBottom": "Unten ausrichten", + "textAlignCenter": "Zentriert ausrichten", + "textAlignLeft": "Linksbündig ausrichten", + "textAlignMiddle": "Mittig ausrichten", + "textAlignRight": "Rechtsbündig ausrichten", + "textAlignTop": "Oben ausrichten", + "textAllBorders": "Alle Rahmenlinien", + "textAngleClockwise": "Im Uhrzeigersinn drehen", + "textAngleCounterclockwise": "Gegen den Uhrzeigersinn drehen", + "textAuto": "auto", + "textAxisCrosses": "Schnittpunkt mit der Achse", + "textAxisOptions": "Achsenoptionen", + "textAxisPosition": "Position der Achse", + "textAxisTitle": "Achsentitel", + "textBack": "Zurück", + "textBetweenTickMarks": "Zwischen den Teilstrichen", + "textBillions": "Milliarden", + "textBorder": "Rahmen", + "textBorderStyle": "Rahmenart", + "textBottom": "Unten", + "textBottomBorder": "Rahmenlinie unten", + "textBringToForeground": "In den Vordergrund bringen", + "textCell": "Zelle", + "textCellStyles": "Zellenformatvorlagen", + "textCenter": "Zentriert", + "textChart": "Diagramm", + "textChartTitle": "Diagrammtitel", + "textClearFilter": "Filter leeren", + "textColor": "Farbe", + "textCross": "Schnittpunkt", + "textCrossesValue": "Wert des Kreuzes", + "textCurrency": "Währung", + "textCustomColor": "Benutzerdefinierte Farbe", + "textDataLabels": "Datenbeschriftungen", + "textDate": "Datum", + "textDefault": "Ausgewählter Bereich", + "textDeleteFilter": "Filter entfernen", + "textDesign": "Design", + "textDiagonalDownBorder": "Rahmenlinien diagonal nach unten", + "textDiagonalUpBorder": "Rahmenlinien diagonal nach oben", + "textDisplay": "Anzeigen", + "textDisplayUnits": "Anzeigeeinheiten", + "textDollar": "Dollar", + "textEditLink": "Link bearbeiten", + "textEffects": "Effekte", + "textEmptyImgUrl": "Sie müssen die URL des Bildes angeben.", + "textEmptyItem": "{Lücken}", + "textErrorMsg": "Sie müssen zumindest einen Wert wählen", + "textErrorTitle": "Warnung", + "textEuro": "Euro", + "textExternalLink": "Externer Link", + "textFill": "Füllung", + "textFillColor": "Füllfarbe", + "textFilterOptions": "Filteroptionen", + "textFit": "An Breite anpassen", + "textFonts": "Schriftarten", + "textFormat": "Format", + "textFraction": "Bruch", + "textFromLibrary": "Bild aus dem Verzeichnis", + "textFromURL": "Bild aus URL", + "textGeneral": "Allgemeines", + "textGridlines": "Gitternetzlinien ", + "textHigh": "Hoch", + "textHorizontal": "Horizontal", + "textHorizontalAxis": "Horizontale Achse", + "textHorizontalText": "Horizontaler Text", + "textHundredMil": "100 000 000", + "textHundreds": "Hunderte", + "textHundredThousands": "100 000", + "textHyperlink": "Hyperlink", + "textImage": "Bild", + "textImageURL": "URL des Bildes", + "textIn": "In", + "textInnerBottom": "Innen unten", + "textInnerTop": "Innen oben", + "textInsideBorders": "Rahmenlinien innen", + "textInsideHorizontalBorder": "Innere horizontale Rahmenlinie", + "textInsideVerticalBorder": "Innere vertikale Rahmenlinie", + "textInteger": "Ganze Zahl", + "textInternalDataRange": "Interner Datenbereich", + "textInvalidRange": "Ungültiger Zellenbereich", + "textJustified": "Blocksatz", + "textLabelOptions": "Beschriftungsoptionen", + "textLabelPosition": "Beschriftungsposition", + "textLayout": "Layout", + "textLeft": "Links", + "textLeftBorder": "Rahmenlinie links", + "textLeftOverlay": "Überlagerung links", + "textLegend": "Legende", + "textLink": "Link", + "textLinkSettings": "Linkseinstellungen", + "textLinkType": "Linktyp", + "textLow": "Niedrig", + "textMajor": "Hauptstriche", + "textMajorAndMinor": "Primäre und sekundäre", + "textMajorType": "Haupttyp", + "textMaximumValue": "Maximalwert", + "textMedium": "Mittelhoch", + "textMillions": "Millionen", + "textMinimumValue": "Minimalwert", + "textMinor": "Teilstriche", + "textMinorType": "Sekundärer Typ", + "textMoveBackward": "Nach hinten", + "textMoveForward": "Nach vorne", + "textNextToAxis": "Neben der Achse", + "textNoBorder": "Keine Rahmen", + "textNone": "Kein(e)", + "textNoOverlay": "Ohne Überlagerung", + "textNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein.", + "textNumber": "Nummer", + "textOnTickMarks": "Teilstriche", + "textOpacity": "Undurchsichtigkeit", + "textOut": "Außen", + "textOuterTop": "Außen oben", + "textOutsideBorders": "Rahmenlinien außen", + "textOverlay": "Überlagerung", + "textPercentage": "Prozentsatz", + "textPictureFromLibrary": "Bild aus dem Verzeichnis", + "textPictureFromURL": "Bild aus URL", + "textPound": "Pfund", + "textPt": "pt", + "textRange": "Bereich", + "textRemoveChart": "Diagramm entfernen", + "textRemoveImage": "Bild entfernen", + "textRemoveLink": "Link entfernen", + "textRemoveShape": "Form entfernen", + "textReorder": "Neu ordnen", + "textReplace": "Ersetzen", + "textReplaceImage": "Bild ersetzen", + "textRequired": "Erforderlich", + "textRight": "Rechts", + "textRightBorder": "Rahmenlinie rechts", + "textRightOverlay": "Überlagerung rechts", + "textRotated": "Gedreht", + "textRotateTextDown": "Text nach unten drehen", + "textRotateTextUp": "Text nach oben drehen", + "textRouble": "Russischer Rubel", + "textScientific": "Wissenschaftlich", + "textScreenTip": "QuickInfo", + "textSelectAll": "Alle auswählen", + "textSelectObjectToEdit": "Wählen Sie das Objekt für Bearbeitung aus", + "textSendToBackground": "In den Hintergrund senden", + "textSettings": "Einstellungen", + "textShape": "Form", + "textSheet": "Blatt", + "textSize": "Größe", + "textStyle": "Stil", + "textTenMillions": "10 000 000", + "textTenThousands": "10 000", + "textText": "Text", + "textTextColor": "Textfarbe", + "textTextFormat": "Textformat", + "textTextOrientation": "Textausrichtung", + "textThick": "Breit", + "textThin": "Dünn", + "textThousands": "Tausende", + "textTickOptions": "Parameter der Teilstriche", + "textTime": "Uhrzeit", + "textTop": "Oben", + "textTopBorder": "Rahmenlinie oben", + "textTrillions": "Billionen", + "textType": "Typ", + "textValue": "Wert", + "textValuesInReverseOrder": "Werte in umgekehrter Reihenfolge", + "textVertical": "Vertikal", + "textVerticalAxis": "Vertikale Achse", + "textVerticalText": "Vertikaler Text", + "textWrapText": "Zeilenumbruch", + "textYen": "Yen", + "txtNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein." + }, + "Settings": { + "advCSVOptions": "CSV-Optionen auswählen", + "advDRMEnterPassword": "Ihr Passwort:", + "advDRMOptions": "Geschützte Datei", + "advDRMPassword": "Passwort", + "closeButtonText": "Datei schließen", + "notcriticalErrorTitle": "Warnung", + "textAbout": "Information", + "textAddress": "Adresse", + "textApplication": "App", + "textApplicationSettings": "Anwendungseinstellungen", + "textAuthor": "Verfasser", + "textBack": "Zurück", + "textBottom": "Unten", + "textByColumns": "Nach Spalten", + "textByRows": "Nach Zeilen", + "textCancel": "Abbrechen", + "textCentimeter": "Zentimeter", + "textCollaboration": "Zusammenarbeit", + "textColorSchemes": "Farbschemata", + "textComment": "Kommentar", + "textCommentingDisplay": "Kommentare anzeigen", + "textComments": "Kommentare", + "textCreated": "Erstellt", + "textCustomSize": "Benutzerdefinierte Größe", + "textDisableAll": "Alle deaktivieren", + "textDisableAllMacrosWithNotification": "Alle Makros mit einer Benachrichtigung deaktivieren", + "textDisableAllMacrosWithoutNotification": "Alle Makros ohne Benachrichtigung deaktivieren", + "textDone": "Fertig", + "textDownload": "Herunterladen", + "textDownloadAs": "Herunterladen als", + "textEmail": "E-Mail", + "textEnableAll": "Alle aktivieren", + "textEnableAllMacrosWithoutNotification": "Alle Makros ohne Benachrichtigung aktivieren", + "textFind": "Suche", + "textFindAndReplace": "Suchen und ersetzen", + "textFindAndReplaceAll": "Alle suchen und ersetzen", + "textFormat": "Format", + "textFormulaLanguage": "Formelsprache ", + "textFormulas": "Formeln", + "textHelp": "Hilfe", + "textHideGridlines": "Gitternetzlinien ausblenden", + "textHideHeadings": "Überschriften ausblenden", + "textHighlightRes": "Ergebnisse hervorheben", + "textInch": "Zoll", + "textLandscape": "Querformat", + "textLastModified": "Zuletzt geändert", + "textLastModifiedBy": "Zuletzt geändert von", + "textLeft": "Links", + "textLocation": "Standort", + "textLookIn": "Suchen in", + "textMacrosSettings": "Einstellungen von Makros", + "textMargins": "Ränder", + "textMatchCase": "Groß-/Kleinschreibung beachten", + "textMatchCell": "Zelle anpassen", + "textNoTextFound": "Der Text wurde nicht gefunden", + "textOpenFile": "Kennwort zum Öffnen der Datei eingeben", + "textOrientation": "Orientierung", + "textOwner": "Besitzer", + "textPoint": "Punkt", + "textPortrait": "Hochformat", + "textPoweredBy": "Unterstützt von", + "textPrint": "Drucken", + "textR1C1Style": "Z1S1-Bezugsart", + "textRegionalSettings": "Regionale Einstellungen", + "textReplace": "Ersetzen", + "textReplaceAll": "Alle ersetzen", + "textResolvedComments": "Gelöste Kommentare", + "textRight": "Rechts", + "textSearch": "Suche", + "textSearchBy": "Suche", + "textSearchIn": "Suchen in", + "textSettings": "Einstellungen", + "textSheet": "Blatt", + "textShowNotification": "Benachrichtigung anzeigen", + "textSpreadsheetFormats": "Formate der Tabellenkalkulation", + "textSpreadsheetInfo": "Tabelleninformationen", + "textSpreadsheetSettings": "Einstellungen der Tabellenkalkulation", + "textSpreadsheetTitle": "Titel der Tabelle", + "textSubject": "Betreff", + "textTel": "Tel.", + "textTitle": "Titel", + "textTop": "Oben", + "textUnitOfMeasurement": "Maßeinheit", + "textUploaded": "Hochgeladen", + "textValues": "Werte", + "textVersion": "Version", + "textWorkbook": "Arbeitsmappe", + "txtDelimiter": "Trennzeichen", + "txtEncoding": "Codierung ", + "txtIncorrectPwd": "Passwort ist falsch", + "txtProtected": "Sobald Sie das Passwort eingegeben und die Datei geöffnet haben, wird das aktuelle Passwort für die Datei zurückgesetzt", + "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?" + } + } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/en.json b/apps/spreadsheeteditor/mobile/locale/en.json index e4fd86005..c3f3e706d 100644 --- a/apps/spreadsheeteditor/mobile/locale/en.json +++ b/apps/spreadsheeteditor/mobile/locale/en.json @@ -1,636 +1,576 @@ { - "Controller" : { - "Main" : { - "SDK": { - "txtStyle_Normal": "Normal", - "txtStyle_Heading_1": "Heading 1", - "txtStyle_Heading_2": "Heading 2", - "txtStyle_Heading_3": "Heading 3", - "txtStyle_Heading_4": "Heading 4", - "txtStyle_Title": "Title", - "txtStyle_Neutral": "Neutral", - "txtStyle_Bad": "Bad", - "txtStyle_Good": "Good", - "txtStyle_Input": "Input", - "txtStyle_Output": "Output", - "txtStyle_Calculation": "Calculation", - "txtStyle_Check_Cell": "Check Cell", - "txtStyle_Explanatory_Text": "Explanatory Text", - "txtStyle_Note": "Note", - "txtStyle_Linked_Cell": "Linked Cell", - "txtStyle_Warning_Text": "Warning Text", - "txtStyle_Total": "Total", - "txtStyle_Currency": "Currency", - "txtStyle_Percent": "Percent", - "txtStyle_Comma": "Comma", - "txtSeries": "Series", - "txtDiagramTitle": "Chart Title", - "txtXAxis": "X Axis", - "txtYAxis": "Y Axis", - "txtArt": "Your text here", - "txtAccent": "Accent", - "txtTable": "Table", - "txtPrintArea": "Print_Area", - "txtConfidential": "Confidential", - "txtPreparedBy": "Prepared by", - "txtPage": "Page", - "txtPageOf": "Page %1 of %2", - "txtPages": "Pages", - "txtDate": "Date", - "txtTime": "Time", - "txtTab": "Tab", - "txtFile": "File", - "txtColumn": "Column", - "txtRow": "Row", - "txtByField": "%1 of %2", - "txtAll": "(All)", - "txtValues": "Values", - "txtGrandTotal": "Grand Total", - "txtRowLbls": "Row Labels", - "txtColLbls": "Column Labels", - "txtMultiSelect": "Multi-Select (Alt+S)", - "txtClearFilter": "Clear Filter (Alt+C)", - "txtBlank": "(blank)", - "txtGroup": "Group", - "txtSeconds": "Seconds", - "txtMinutes": "Minutes", - "txtHours": "Hours", - "txtDays": "Days", - "txtMonths": "Months", - "txtQuarters": "Quarters", - "txtYears": "Years", - "txtOr": "%1 or %2", - "txtQuarter": "Qtr" - }, - "textGuest": "Guest", - "textAnonymous": "Anonymous", - "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.", - "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.", - "textNoLicenseTitle": "License limit reached", - "warnLicenseLimitedNoAccess": "License expired. You have no access to document editing functionality. Please contact your administrator.", - "warnLicenseLimitedRenewed": "License needs to be renewed. You have a limited access to document editing functionality.
Please contact your administrator to get full access", - "textBuyNow": "Visit website", - "textContactUs": "Contact sales", - "textPaidFeature": "Paid feature", - "textCustomLoader": "Please note that according to the terms of the license you are not entitled to change the loader. Please contact our Sales Department to get a quote.", - "textClose": "Close", - - "notcriticalErrorTitle": "Warning", - "textHasMacros": "The file contains automatic macros.
Do you want to run macros?", - "textRemember": "Remember my choice", - "textYes": "Yes", - "textNo": "No", - - "leavePageText": "You have unsaved changes in this document. Click 'Stay on this Page' to await the autosave of the document. Click 'Leave this Page' to discard all the unsaved changes.", - "errorUpdateVersion": "The file version has been changed. The page will be reloaded.", - "titleUpdateVersion": "Version changed", - "errorServerVersion": "The editor version has been updated. The page will be reloaded to apply the changes.", - "titleServerVersion": "Editor updated", - "errorProcessSaveResult": "Saving is failed.", - "criticalErrorTitle": "Error", - "warnProcessRightsChange": "You have been denied the right to edit the file.", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
Please contact your Document Server administrator." - } + "About": { + "textAbout": "About", + "textAddress": "Address", + "textBack": "Back", + "textEmail": "Email", + "textPoweredBy": "Powered By", + "textTel": "Tel", + "textVersion": "Version" + }, + "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" }, - "LongActions": { - "openTitleText": "Opening Document", - "openTextText": "Opening document...", - "saveTitleText": "Saving Document", - "saveTextText": "Saving document...", - "loadFontsTitleText": "Loading Data", - "loadFontsTextText": "Loading data...", - "loadImagesTitleText": "Loading Images", - "loadImagesTextText": "Loading images...", - "loadFontTitleText": "Loading Data", - "loadFontTextText": "Loading data...", - "loadImageTitleText": "Loading Image", - "loadImageTextText": "Loading image...", - "downloadTitleText": "Downloading Document", - "downloadTextText": "Downloading document...", - "printTitleText": "Printing Document", - "printTextText": "Printing document...", - "uploadImageTitleText": "Uploading Image", - "uploadImageTextText": "Uploading image...", - "applyChangesTitleText": "Loading Data", - "applyChangesTextText": "Loading data...", - "savePreparingText": "Preparing to save", - "savePreparingTitle": "Preparing to save. Please wait...", - "waitText": "Please, wait...", - "txtEditingMode": "Set editing mode...", - "loadingDocumentTitleText": "Loading document", - "loadingDocumentTextText": "Loading document...", - "textLoadingDocument": "Loading document", - "textYes": "Yes", - "notcriticalErrorTitle": "Warning", - "textOk": "Ok", - "textNo": "No", - "confirmMoveCellRange": "The destination cell`s 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?" - }, - "Error": { - "criticalErrorTitle": "Error", - "unknownErrorText": "Unknown error.", - "convertationTimeoutText": "Convertation timeout exceeded.", - "openErrorText": "An error has occurred while opening the file", - "saveErrorText": "An error has occurred while saving the file", - "downloadErrorText": "Download failed.", - "uploadImageSizeMessage": "Maximium image size limit exceeded.", - "uploadImageExtMessage": "Unknown image format.", - "uploadImageFileCountMessage": "No images uploaded.", - "errorKeyEncrypt": "Unknown key descriptor", - "errorKeyExpire": "Key descriptor expired", - "errorUsersExceed": "Count of users was exceed", - "errorViewerDisconnect": "Connection is lost. You can still view the document,
but will not be able to download until the connection is restored and page is reloaded.", - "errorFilePassProtect": "The file is password protected and could not be opened.", - "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.", - "errorDataRange": "Incorrect data range.", - "errorDatabaseConnection": "External error.
Database connection error. Please, contact support.", - "errorUserDrop": "The file cannot be accessed right now.", - "errorConnectToServer": " The document could not be saved. Please check connection settings or contact your administrator.
When you click the 'OK' button, you will be prompted to download the document.", - "errorBadImageUrl": "Image url is incorrect", - "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.", - "errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
Please contact your Document Server administrator.", - "errorEditingDownloadas": "An error occurred during the work with the document.
Use the 'Download' option to save the file backup copy to your computer hard drive.", - "errorFileSizeExceed": "The file size exceeds the limitation set for your server.
Please contact your Document Server administrator for details.", - "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.", - "errorDefaultMessage": "Error code: %1", - "criticalErrorExtText": "Press 'OK' to back to document list.", - "notcriticalErrorTitle": "Warning", - "scriptLoadError": "The connection is too slow, some of the components could not be loaded. Please reload the page.", - "pastInMergeAreaError": "Cannot change part of a merged cell", - "errorWrongBracketsCount": "Found an error in the formula entered.
Wrong cout of brackets.", - "errorWrongOperator": "An error in the entered formula. Wrong operator is used.
Please correct the error or use the Esc button to cancel the formula editing.", - "errorCountArgExceed": "Found an error in the formula entered.
Count of arguments exceeded.", - "errorCountArg": "Found an error in the formula entered.
Invalid number of arguments.", - "errorFormulaName": "Found an error in the formula entered.
Incorrect formula name.", - "errorFormulaParsing": "Internal error while the formula parsing.", - "errorArgsRange": "Found an error in the formula entered.
Incorrect arguments range.", - "errorUnexpectedGuid": "External error.
Unexpected Guid. Please, contact support.", - "errorFileRequest": "External error.
File Request. Please, contact support.", - "errorFileVKey": "External error.
Incorrect securety key. Please, contact support.", - "errorMaxPoints": "The maximum number of points in series per chart is 4096.", - "errorOperandExpected": "The entered function syntax is not correct. Please check if you are missing one of the parentheses - '(' or ')'.", - "errorMoveRange": "Cann't change a part of merged cell", - "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.", - "errorAutoFilterChangeFormatTable": "The operation could not be done for the selected cells as you cannot move a part of the table.
Select another data range so that the whole table was shifted and try again.", - "errorAutoFilterChange": "The operation is not allowed, as it is attempting to shift cells in a table on your worksheet.", - "errorAutoFilterHiddenRange": "The operation cannot be performed because the area contains filtered cells.
Please unhide the filtered elements and try again.", - "errorFillRange": "Could not fill the selected range of cells.
All the merged cells need to be the same size.", - "errorInvalidRef": "Enter a correct name for the selection or a valid reference to go to.", - "errorCreateDefName": "The existing named ranges cannot be edited and the new ones cannot be created
at the moment as some of them are being edited.", - "errorPasteMaxRange": "The copy and paste area does not match. Please select an area with the same size or click the first cell in a row to paste the copied cells.", - "errorLockedAll": "The operation could not be done as the sheet has been locked by another user.", - "errorLockedWorksheetRename": "The sheet cannot be renamed at the moment as it is being renamed by another user", - "errorOpenWarning": "The length of one of the formulas in the file exceeded
the allowed number of characters and it was removed.", - "errorFrmlWrongReferences": "The function refers to a sheet that does not exist.
Please check the data and try again.", - "errorCopyMultiselectArea": "This command cannot be used with multiple selections.
Select a single range and try again.", - "errorPrintMaxPagesCount": "Unfortunately, it’s not possible to print more than 1500 pages at once in the current version of the program.
This restriction will be eliminated in upcoming releases.", - "errorChangeArray": "You cannot change part of an array.", - "errorMultiCellFormula": "Multi-cell array formulas are not allowed in tables.", - "errorFrmlMaxTextLength": "Text values in formulas are limited to 255 characters.
Use the CONCATENATE function or concatenation operator (&)", - "errorFrmlMaxLength": "You cannot add this formula as its length exceeded the allowed number of characters.
Please edit it and try again.", - "errorFrmlMaxReference": "You cannot enter this formula because it has too many values,
cell references, and/or names.", - "errorDataValidate": "The value you entered is not valid.
A user has restricted values that can be entered into this cell.", - "errorLockedCellPivot": "You cannot change data inside a pivot table." - }, - "ContextMenu": { - "menuViewComment": "View Comment", - "menuAddComment": "Add Comment", - "menuMore": "More", - "menuCancel": "Cancel", - "textCopyCutPasteActions": "Copy, Cut and Paste Actions", - "errorCopyCutPaste": "Copy, cut and paste actions using the context menu will be performed within the current file only.", - "textDoNotShowAgain": "Don't show again", - "warnMergeLostData": "Operation can destroy data in the selected cells. Continue?", - "notcriticalErrorTitle": "Warning", - "menuAddLink": "Add Link", - "menuOpenLink": "Open Link", - "menuUnfreezePanes": "Unfreeze Panes", - "menuFreezePanes": "Freeze Panes", - "menuUnwrap": "Unwrap", - "menuWrap": "Wrap", - "menuMerge": "Merge", - "menuUnmerge": "Unmerge", - "menuCell": "Cell", - "menuShow": "Show", - "menuHide": "Hide", - "menuEdit": "Edit", - "menuDelete": "Delete" - }, - "Toolbar": { - "dlgLeaveTitleText": "You leave the application", - "dlgLeaveMsgText": "You have unsaved changes in this document. Click 'Stay on this Page' to await the autosave of the document. Click 'Leave this Page' to discard all the unsaved changes.", - "leaveButtonText": "Leave this Page", - "stayButtonText": "Stay on this Page" - }, - "View" : { - "Add" : { - "textChart": "Chart", - "textFunction": "Function", - "textShape": "Shape", - "textOther": "Other", - "textGroups": "CATEGORIES", - "textBack": "Back", - "sCatLogical": "Logical", - "sCatDateAndTime": "Date and time", - "sCatEngineering": "Engineering", - "sCatFinancial": "Financial", - "sCatInformation": "Information", - "sCatLookupAndReference": "Lookup and Reference", - "sCatMathematic": "Math and trigonometry", - "sCatStatistical": "Statistical", - "sCatTextAndData": "Text and data", - "textImage": "Image", - "textInsertImage": "Insert Image", - "textLinkSettings": "Link Settings", - "textAddress": "Address", - "textImageURL": "Image URL", - "textPictureFromLibrary": "Picture from library", - "textPictureFromURL": "Picture from URL", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textEmptyImgUrl": "You need to specify image URL.", - "notcriticalErrorTitle": "Warning", - "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.", - "errorMaxRows": "ERROR! The maximum number of data series per chart is 255.", - "textLink": "Link", - "textAddLink": "Add Link", - "textLinkType": "Link Type", - "textExternalLink": "External Link", - "textInternalDataRange": "Internal Data Range", - "textSheet": "Sheet", - "textRange": "Range", - "textRequired": "Required", - "textDisplay": "Display", - "textScreenTip": "Screen Tip", - "textInsert": "Insert", - "textInvalidRange": "ERROR! Invalid cells range", - "textSortAndFilter": "Sort and Filter", - "textFilter": "Filter", - "txtSorting": "Sorting", - "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?", - "txtExpand": "Expand and sort", - "txtSortSelected": "Sort selected", - "textCancel": "Cancel", - "textComment": "Comment" - }, - "Edit" : { - "textSelectObjectToEdit": "Select object to edit", - "textSettings": "Settings", - "textCell": "Cell", - "textReplace": "Replace", - "textReorder": "Reorder", - "textAlign": "Align", - "textRemoveShape": "Remove Shape", - "textStyle": "Style", - "textShape": "Shape", - "textBack": "Back", - "textFill": "Fill", - "textBorder": "Border", - "textEffects": "Effects", - "textAddCustomColor": "Add Custom Color", - "textCustomColor": "Custom Color", - "textOpacity": "Opacity", - "textSize": "Size", - "textColor": "Color", - "textBringToForeground": "Bring to Foreground", - "textSendToBackground": "Send to Background", - "textMoveForward": "Move Forward", - "textMoveBackward": "Move Backward", - "textImage": "Image", - "textFromLibrary": "Picture from Library", - "textFromURL": "Picture from URL", - "textLinkSettings": "Link Settings", - "textAddress": "Address", - "textImageURL": "Image URL", - "textReplaceImage": "Replace Image", - "textActualSize": "Actual Size", - "textRemoveImage": "Remove Image", - "textEmptyImgUrl": "You need to specify image URL.", - "textNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "notcriticalErrorTitle": "Warning", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", - "textTextColor": "Text Color", - "textFillColor": "Fill Color", - "textTextFormat": "Text Format", - "textTextOrientation": "Text Orientation", - "textBorderStyle": "Border Style", - "textFonts": "Fonts", - "textAuto": "Auto", - "textPt": "pt", - "textFormat": "Format", - "textCellStyles": "Cell Styles", - "textAlignLeft": "Align Left", - "textAlignCenter": "Align Center", - "textAlignRight": "Align Right", - "textJustified": "Justified", - "textAlignTop": "Align Top", - "textAlignMiddle": "Align Middle", - "textAlignBottom": "Align Bottom", - "textWrapText": "Wrap Text", - "textHorizontalText": "Horizontal Text", - "textAngleCounterclockwise": "Angle Counterclockwise", - "textAngleClockwise": "Angle Clockwise", - "textVerticalText": "Vertical Text", - "textRotateTextUp": "Rotate Text Up", - "textRotateTextDown": "Rotate Text Down", - "textNoBorder": "No Border", - "textAllBorders": "All Borders", - "textOutsideBorders": "Outside Borders", - "textBottomBorder": "Bottom Border", - "textTopBorder": "Top Border", - "textLeftBorder": "Left Border", - "textRightBorder": "Right Border", - "textInsideBorders": "Inside Borders", - "textInsideVerticalBorder": "Inside Vertical Border", - "textInsideHorizontalBorder": "Inside Horizontal Border", - "textDiagonalUpBorder": "Diagonal Up Border", - "textDiagonalDownBorder": "Diagonal Down Border", - "textThin": "Thin", - "textMedium": "Medium", - "textThick": "Thick", - "textGeneral": "General", - "textNumber": "Number", - "textInteger": "Integer", - "textScientific": "Scientific", - "textAccounting": "Accounting", - "textCurrency": "Currency", - "textDate": "Date", - "textTime": "Time", - "textPercentage": "Percentage", - "textText": "Text", - "textDollar": "Dollar", - "textEuro": "Euro", - "textPound": "Pound", - "textRouble": "Rouble", - "textYen": "Yen", - "textChart": "Chart", - "textDesign": "Design", - "textVerticalAxis": "Vertical Axis", - "textHorizontalAxis": "Horizontal Axis", - "textRemoveChart": "Remove Chart", - "textLayout": "Layout", - "textType": "Type", - "textChartTitle": "Chart Title", - "textLegend": "Legend", - "textAxisTitle": "Axis Title", - "textHorizontal": "Horizontal", - "textVertical": "Vertical", - "textGridlines": "Gridlines", - "textDataLabels": "Data Labels", - "textNone": "None", - "textOverlay": "Overlay", - "textNoOverlay": "No Overlay", - "textLeft": "Left", - "textTop": "Top", - "textRight": "Right", - "textBottom": "Bottom", - "textLeftOverlay": "Left Overlay", - "textRightOverlay": "Right Overlay", - "textRotated": "Rotated", - "textMajor": "Major", - "textMinor": "Minor", - "textMajorAndMinor": "Major And Minor", - "textCenter": "Center", - "textInnerBottom": "Inner Bottom", - "textInnerTop": "Inner Top", - "textOuterTop": "Outer Top", - "textFit": "Fit Width", - "textMinimumValue": "Minimum Value", - "textMaximumValue": "Maximum Value", - "textAxisCrosses": "Axis Crosses", - "textDisplayUnits": "Display Units", - "textValuesInReverseOrder": "Values in Reverse Order", - "textTickOptions": "Tick Options", - "textMajorType": "Major Type", - "textMinorType": "Minor Type", - "textLabelOptions": "Label Options", - "textLabelPosition": "Label Position", - "textAxisOptions": "Axis Options", - "textValue": "Value", - "textHundreds": "Hundreds", - "textThousands": "Thousands", - "textMillions": "Millions", - "textBillions": "Billions", - "textTrillions": "Trillions", - "textTenThousands": "10 000", - "textHundredThousands": "100 000", - "textTenMillions": "10 000 000", - "textHundredMil": "100 000 000", - "textCross": "Cross", - "textIn": "In", - "textOut": "Out", - "textLow": "Low", - "textHigh": "High", - "textNextToAxis": "Next to Axis", - "textCrossesValue": "Crosses Value", - "textOnTickMarks": "On Tick Marks", - "textBetweenTickMarks": "Between Tick Marks", - "textAxisPosition": "Axis Position", - "textHyperlink": "Hyperlink", - "textLinkType": "Link Type", - "textLink": "Link", - "textSheet": "Sheet", - "textRange": "Range", - "textDisplay": "Display", - "textScreenTip": "Screen Tip", - "textEditLink": "Edit Link", - "textRemoveLink": "Remove Link", - "textRequired": "Required", - "textInternalDataRange": "Internal Data Range", - "textExternalLink": "External Link", - "textDefault": "Selected range", - "textInvalidRange": "Invalid cells range", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textFilterOptions": "Filter Options", - "txtSortLow2High": "Sort Lowest to Highest", - "txtSortHigh2Low": "Sort Highest to Lowest", - "textClearFilter": "Clear Filter", - "textDeleteFilter": "Delete Filter", - "textSelectAll": "Select All", - "textEmptyItem": "{Blanks}", - "textErrorTitle": "Warning", - "textErrorMsg": "You must choose at least one value" - }, - "Settings": { - "textFindAndReplace": "Find and Replace", - "textFindAndReplaceAll": "Find and Replace All", - "textSpreadsheetSettings": "Spreadsheet Settings", - "textApplicationSettings": "Application Settings", - "textDownload": "Download", - "textPrint": "Print", - "textSpreadsheetInfo": "Spreadsheet Info", - "textHelp": "Help", - "textAbout": "About", - "textDone": "Done", - "textSettings": "Settings", - "textBack": "Back", - "textOrientation": "Orientation", - "textPortrait": "Portrait", - "textLandscape": "Landscape", - "textFormat": "Format", - "textMargins": "Margins", - "textColorSchemes": "Color Schemes", - "textHideHeadings": "Hide Headings", - "textHideGridlines": "Hide Gridlines", - "textLeft": "Left", - "textBottom": "Bottom", - "textTop": "Top", - "textRight": "Right", - "textCustomSize": "Custom Size", - "textSpreadsheetFormats": "Spreadsheet Formats", - "textDownloadAs": "Download As", - "warnDownloadAs": "If you continue saving in this format all features except the text will be lost.
Are you sure you want to continue?", - "notcriticalErrorTitle": "Warning", - "txtEncoding": "Encoding", - "txtDelimiter": "Delimiter", - "txtSpace": "Space", - "txtTab": "Tab", - "advCSVOptions": "Choose CSV Options", - "advDRMOptions": "Protected File", - "advDRMEnterPassword": "You password please:", - "advDRMPassword": "Password", - "closeButtonText": "Close File", - "txtProtected": "Once you enter the password and open the file, the current password to the file will be reset", - "textOpenFile": "Enter a password to open the file", - "txtIncorrectPwd": "Password is incorrect", - "textCancel": "Cancel", - "textUnitOfMeasurement": "Unit Of Measurement", - "textCentimeter": "Centimeter", - "textPoint": "Point", - "textInch": "Inch", - "textMacrosSettings": "Macros Settings", - "textFormulaLanguage": "Formula Language", - "textRegionalSettings": "Regional Settings", - "textCommentingDisplay": "Commenting Display", - "textComments": "Comments", - "textResolvedComments": "Resolved Comments", - "textR1C1Style": "R1C1 Reference Style", - "textDisableAll": "Disable All", - "textDisableAllMacrosWithoutNotification": "Disable all macros without a notification", - "textShowNotification": "Show Notification", - "textDisableAllMacrosWithNotification": "Disable all macros with a notification", - "textEnableAll": "Enable All", - "textEnableAllMacrosWithoutNotification": "Enable all macros without a notification", - "textSpreadsheetTitle": "Spreadsheet Title", - "textOwner": "Owner", - "textLocation": "Location", - "textUploaded": "Uploaded", - "textTitle": "Title", - "textSubject": "Subject", - "textComment": "Comment", - "textLastModified": "Last Modified", - "textLastModifiedBy": "Last Modified By", - "textCreated": "Created", - "textApplication": "Application", - "textAuthor": "Author", - "textVersion": "Version", - "textEmail": "Email", - "textAddress": "Address", - "textTel": "Tel", - "textPoweredBy": "Powered By", - "textFind": "Find", - "textSearch": "Search", - "textReplace": "Replace", - "textMatchCase": "Match Case", - "textMatchCell": "Match Cell", - "textSearchIn": "Search In", - "textWorkbook": "Workbook", - "textSheet": "Sheet", - "textHighlightRes": "Highlight results", - "textByColumns": "By columns", - "textByRows": "By rows", - "textSearchBy": "Search", - "textLookIn": "Look In", - "textFormulas": "Formulas", - "textValues": "Values", - "textNoTextFound": "Text not found", - "textReplaceAll": "Replace All", - "textCollaboration": "Collaboration", - "txtScheme1": "Office", - "txtScheme2": "Grayscale", - "txtScheme3": "Apex", - "txtScheme4": "Aspect", - "txtScheme5": "Civic", - "txtScheme6": "Concourse", - "txtScheme7": "Equity", - "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "txtScheme10": "Median", - "txtScheme11": "Metro", - "txtScheme12": "Module", - "txtScheme13": "Opulent", - "txtScheme14": "Oriel", - "txtScheme15": "Origin", - "txtScheme16": "Paper", - "txtScheme17": "Solstice", - "txtScheme18": "Technic", - "txtScheme19": "Trek", - "txtScheme22": "New Office" - } - }, - "Statusbar": { - "textDuplicate": "Duplicate", - "textDelete": "Delete", - "textHide": "Hide", - "textUnhide": "Unhide", - "textErrorLastSheet": "Workbook must have at least one visible worksheet.", - "textErrorRemoveSheet": "Can\"t delete the worksheet.", - "textWarnDeleteSheet": "The worksheet maybe has data. Proceed operation?", - "textSheet": "Sheet", - "textRename": "Rename", - "textErrNameExists": "Worksheet with such name already exist.", - "textErrNameWrongChar": "A sheet name cannot contains characters: \\, \/, *, ?, [, ], :", - "textErrNotEmpty": "Sheet name must not be empty", - "textRenameSheet": "Rename Sheet", - "textSheetName": "Sheet Name", - "textCancel": "Cancel", - "notcriticalErrorTitle": "Warning", - "textMore": "More" - }, - "Common": { - "ThemeColorPalette": { - "textThemeColors": "Theme Colors", - "textStandartColors": "Standard Colors", - "textCustomColors": "Custom Colors" - }, - "Collaboration": { - "textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", - "notcriticalErrorTitle": "Warning", - "textCollaboration": "Collaboration", - "textBack": "Back", - "textUsers": "Users", - "textEditUser": "Users who are editing the file:", - "textComments": "Comments", - "textAddComment": "Add Comment", - "textCancel": "Cancel", - "textDone": "Done", - "textNoComments": "This document doesn't contain comments", - "textEdit": "Edit", - "textResolve": "Resolve", - "textReopen": "Reopen", - "textAddReply": "Add Reply", - "textDeleteComment": "Delete Comment", - "textMessageDeleteComment": "Do you really want to delete this comment?", - "textMessageDeleteReply": "Do you really want to delete this reply?", - "textDeleteReply": "Delete Reply", - "textEditComment": "Edit Comment", - "textEditReply": "Edit Reply" - } - }, - "About": { - "textAbout": "About", - "textVersion": "Version", - "textEmail": "Email", - "textAddress": "Address", - "textTel": "Tel", - "textPoweredBy": "Powered By", - "textBack": "Back" + "ThemeColorPalette": { + "textCustomColors": "Custom Colors", + "textStandartColors": "Standard Colors", + "textThemeColors": "Theme Colors" } -} + }, + "ContextMenu": { + "errorCopyCutPaste": "Copy, cut, and paste actions using the context menu will be performed within the current file only.", + "menuAddComment": "Add Comment", + "menuAddLink": "Add Link", + "menuCancel": "Cancel", + "menuCell": "Cell", + "menuDelete": "Delete", + "menuEdit": "Edit", + "menuFreezePanes": "Freeze Panes", + "menuHide": "Hide", + "menuMerge": "Merge", + "menuMore": "More", + "menuOpenLink": "Open Link", + "menuShow": "Show", + "menuUnfreezePanes": "Unfreeze Panes", + "menuUnmerge": "Unmerge", + "menuUnwrap": "Unwrap", + "menuViewComment": "View Comment", + "menuWrap": "Wrap", + "notcriticalErrorTitle": "Warning", + "textCopyCutPasteActions": "Copy, Cut and Paste Actions", + "textDoNotShowAgain": "Don't show again", + "warnMergeLostData": "The operation can destroy data in the selected cells. Continue?" + }, + "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", + "txtArt": "Your text here", + "txtDiagramTitle": "Chart Title", + "txtSeries": "Series", + "txtStyle_Bad": "Bad", + "txtStyle_Calculation": "Calculation", + "txtStyle_Check_Cell": "Check Cell", + "txtStyle_Comma": "Comma", + "txtStyle_Currency": "Currency", + "txtStyle_Explanatory_Text": "Explanatory Text", + "txtStyle_Good": "Good", + "txtStyle_Heading_1": "Heading 1", + "txtStyle_Heading_2": "Heading 2", + "txtStyle_Heading_3": "Heading 3", + "txtStyle_Heading_4": "Heading 4", + "txtStyle_Input": "Input", + "txtStyle_Linked_Cell": "Linked Cell", + "txtStyle_Neutral": "Neutral", + "txtStyle_Normal": "Normal", + "txtStyle_Note": "Note", + "txtStyle_Output": "Output", + "txtStyle_Percent": "Percent", + "txtStyle_Title": "Title", + "txtStyle_Total": "Total", + "txtStyle_Warning_Text": "Warning Text", + "txtXAxis": "X Axis", + "txtYAxis": "Y Axis" + }, + "textAnonymous": "Anonymous", + "textBuyNow": "Visit website", + "textClose": "Close", + "textContactUs": "Contact sales", + "textCustomLoader": "Sorry, you are not entitled to change the loader. Please, contact our sales department to get a quote.", + "textGuest": "Guest", + "textHasMacros": "The file contains automatic macros.
Do you want to run macros?", + "textNo": "No", + "textNoLicenseTitle": "License limit reached", + "textPaidFeature": "Paid feature", + "textRemember": "Remember my choice", + "textYes": "Yes", + "titleServerVersion": "Editor updated", + "titleUpdateVersion": "Version changed", + "warnLicenseExceeded": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only. Contact your administrator to learn more.", + "warnLicenseLimitedNoAccess": "License expired. You have no access to document editing functionality. Please, contact your admin.", + "warnLicenseLimitedRenewed": "License needs to be renewed. You have limited access to document editing functionality.
Please contact your administrator to get full access", + "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", + "warnNoLicense": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only. Contact %1 sales team for personal upgrade terms.", + "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", + "warnProcessRightsChange": "You don't have permission to edit the file." + } + }, + "Error": { + "convertationTimeoutText": "Conversion timeout exceeded.", + "criticalErrorExtText": "Press 'OK' to back to the document list.", + "criticalErrorTitle": "Error", + "downloadErrorText": "Download failed.", + "errorAccessDeny": "You are trying to perform an action you do not have rights for.
Please, contact your admin.", + "errorArgsRange": "An error in the formula.
Incorrect arguments range.", + "errorAutoFilterChange": "The operation is not allowed as it is attempting to shift cells in a table on your worksheet.", + "errorAutoFilterChangeFormatTable": "The operation could not be done for the selected cells as you cannot move a part of a table.
Select another data range so that the whole table is shifted and try again.", + "errorAutoFilterDataRange": "The operation could not be done for the selected range of cells.
Select a uniform data range inside or outside the table and try again.", + "errorAutoFilterHiddenRange": "The operation cannot be performed because the area contains filtered cells.
Please, unhide the filtered elements and try again.", + "errorBadImageUrl": "Image url is incorrect", + "errorChangeArray": "You cannot change part of an array.", + "errorConnectToServer": "Can't save this doc. Check your connection settings or contact your admin.
When you click the 'OK' button, you will be prompted to download the document.", + "errorCopyMultiselectArea": "This command cannot be used with multiple selections.
Select a single range and try again.", + "errorCountArg": "An error in the formula.
Invalid number of arguments.", + "errorCountArgExceed": "An error in the formula.
Maximum number of arguments exceeded.", + "errorCreateDefName": "The existing named ranges cannot be edited and the new ones cannot be created
at the moment as some of them are being edited.", + "errorDatabaseConnection": "External error.
Database connection error. Please, contact support.", + "errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.", + "errorDataRange": "Incorrect data range.", + "errorDataValidate": "The value you entered is not valid.
A user has restricted values that can be entered into this cell.", + "errorDefaultMessage": "Error code: %1", + "errorEditingDownloadas": "An error occurred during the work with the document.
Use the 'Download' option to save the file backup copy locally.", + "errorFilePassProtect": "The file is password protected and could not be opened.", + "errorFileRequest": "External error.
File Request. Please, contact support.", + "errorFileSizeExceed": "The file size exceeds your server limitation.
Please, contact your admin for details.", + "errorFileVKey": "External error.
Incorrect security key. Please, contact support.", + "errorFillRange": "Could not fill the selected range of cells.
All the merged cells need to be the same size.", + "errorFormulaName": "An error in the formula.
Incorrect formula name.", + "errorFormulaParsing": "Internal error while the formula parsing.", + "errorFrmlMaxLength": "You cannot add this formula as its length exceeds the allowed number of characters.
Please, edit it and try again.", + "errorFrmlMaxReference": "You cannot enter this formula because it has too many values,
cell references, and/or names.", + "errorFrmlMaxTextLength": "Text values in formulas are limited to 255 characters.
Use the CONCATENATE function or concatenation operator (&)", + "errorFrmlWrongReferences": "The function refers to a sheet that does not exist.
Please, check the data and try again.", + "errorInvalidRef": "Enter a correct name for the selection or a valid reference to go to.", + "errorKeyEncrypt": "Unknown key descriptor", + "errorKeyExpire": "Key descriptor expired", + "errorLockedAll": "The operation could not be done as the sheet has been locked by another user.", + "errorLockedCellPivot": "You cannot change data inside a pivot table.", + "errorLockedWorksheetRename": "The sheet cannot be renamed at the moment as it is being renamed by another user", + "errorMaxPoints": "The maximum number of points in series per chart is 4096.", + "errorMoveRange": "Cann't change a part of a merged cell", + "errorMultiCellFormula": "Multi-cell array formulas are not allowed in tables.", + "errorOpenWarning": "The length of one of the formulas in the file exceeded
the allowed number of characters and it was removed.", + "errorOperandExpected": "The entered function syntax is not correct. Please, check if you missed one of the parentheses - '(' or ')'.", + "errorPasteMaxRange": "The copy and paste area does not match. Please, select an area of the same size or click the first cell in a row to paste the copied cells.", + "errorPrintMaxPagesCount": "Unfortunately, it’s not possible to print more than 1500 pages at once in the current version of the program.
This restriction will be eliminated in upcoming releases.", + "errorSessionAbsolute": "The document editing session has expired. Please, reload the page.", + "errorSessionIdle": "The document has not been edited for quite a long time. Please, reload the page.", + "errorSessionToken": "The connection to the server has been interrupted. Please, reload the page.", + "errorStockChart": "Incorrect row order. To build a stock chart, place the data on the sheet in the following order:
opening price, max price, min price, closing price.", + "errorUnexpectedGuid": "External error.
Unexpected Guid. Please, contact support.", + "errorUpdateVersionOnDisconnect": "Internet connection has been restored, and the file version has been changed.
Before you can continue working, you need to download the file or copy its content to make sure nothing is lost, and then reload this page.", + "errorUserDrop": "The file cannot be accessed right now.", + "errorUsersExceed": "The number of users allowed by the pricing plan was exceeded", + "errorViewerDisconnect": "Connection is lost. You can still view the document,
but you won't be able to download it until the connection is restored and the page is reloaded.", + "errorWrongBracketsCount": "An error in the formula.
Wrong number of brackets.", + "errorWrongOperator": "An error in the entered formula. The wrong operator is used.
Correct the error or use the Esc button to cancel the formula editing.", + "notcriticalErrorTitle": "Warning", + "openErrorText": "An error has occurred while opening the file", + "pastInMergeAreaError": "Cannot change a part of a merged cell", + "saveErrorText": "An error has occurred while saving the file", + "scriptLoadError": "The connection is too slow, some of the components could not be loaded. Please, reload the page.", + "unknownErrorText": "Unknown error.", + "uploadImageExtMessage": "Unknown image format.", + "uploadImageFileCountMessage": "No images uploaded.", + "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB." + }, + "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..." + }, + "Statusbar": { + "notcriticalErrorTitle": "Warning", + "textCancel": "Cancel", + "textDelete": "Delete", + "textDuplicate": "Duplicate", + "textErrNameExists": "Worksheet with this name already exists.", + "textErrNameWrongChar": "A sheet name cannot contains characters: \\, /, *, ?, [, ], :", + "textErrNotEmpty": "Sheet name must not be empty", + "textErrorLastSheet": "The workbook must have at least one visible worksheet.", + "textErrorRemoveSheet": "Can't delete the worksheet.", + "textHide": "Hide", + "textMore": "More", + "textRename": "Rename", + "textRenameSheet": "Rename Sheet", + "textSheet": "Sheet", + "textSheetName": "Sheet Name", + "textUnhide": "Unhide", + "textWarnDeleteSheet": "The worksheet maybe has data. Proceed operation?" + }, + "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": { + "errorMaxRows": "ERROR! The maximum number of data series per chart is 255.", + "errorStockChart": "Incorrect row order. To build a stock chart, place the data on the sheet in the following order:
opening price, max price, min price, closing price.", + "notcriticalErrorTitle": "Warning", + "sCatDateAndTime": "Date and time", + "sCatEngineering": "Engineering", + "sCatFinancial": "Financial", + "sCatInformation": "Information", + "sCatLogical": "Logical", + "sCatLookupAndReference": "Lookup and Reference", + "sCatMathematic": "Math and trigonometry", + "sCatStatistical": "Statistical", + "sCatTextAndData": "Text and data", + "textAddLink": "Add Link", + "textAddress": "Address", + "textBack": "Back", + "textChart": "Chart", + "textComment": "Comment", + "textDisplay": "Display", + "textEmptyImgUrl": "You need to specify the image URL.", + "textExternalLink": "External Link", + "textFilter": "Filter", + "textFunction": "Function", + "textGroups": "CATEGORIES", + "textImage": "Image", + "textImageURL": "Image URL", + "textInsert": "Insert", + "textInsertImage": "Insert Image", + "textInternalDataRange": "Internal Data Range", + "textInvalidRange": "ERROR! Invalid cells range", + "textLink": "Link", + "textLinkSettings": "Link Settings", + "textLinkType": "Link Type", + "textOther": "Other", + "textPictureFromLibrary": "Picture from library", + "textPictureFromURL": "Picture from URL", + "textRange": "Range", + "textRequired": "Required", + "textScreenTip": "Screen Tip", + "textShape": "Shape", + "textSheet": "Sheet", + "textSortAndFilter": "Sort and Filter", + "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"" + }, + "Edit": { + "notcriticalErrorTitle": "Warning", + "textAccounting": "Accounting", + "textActualSize": "Actual Size", + "textAddCustomColor": "Add Custom Color", + "textAddress": "Address", + "textAlign": "Align", + "textAlignBottom": "Align Bottom", + "textAlignCenter": "Align Center", + "textAlignLeft": "Align Left", + "textAlignMiddle": "Align Middle", + "textAlignRight": "Align Right", + "textAlignTop": "Align Top", + "textAllBorders": "All Borders", + "textAngleClockwise": "Angle Clockwise", + "textAngleCounterclockwise": "Angle Counterclockwise", + "textAuto": "Auto", + "textAxisCrosses": "Axis Crosses", + "textAxisOptions": "Axis Options", + "textAxisPosition": "Axis Position", + "textAxisTitle": "Axis Title", + "textBack": "Back", + "textBetweenTickMarks": "Between Tick Marks", + "textBillions": "Billions", + "textBorder": "Border", + "textBorderStyle": "Border Style", + "textBottom": "Bottom", + "textBottomBorder": "Bottom Border", + "textBringToForeground": "Bring to Foreground", + "textCell": "Cell", + "textCellStyles": "Cell Styles", + "textCenter": "Center", + "textChart": "Chart", + "textChartTitle": "Chart Title", + "textClearFilter": "Clear Filter", + "textColor": "Color", + "textCross": "Cross", + "textCrossesValue": "Crosses Value", + "textCurrency": "Currency", + "textCustomColor": "Custom Color", + "textDataLabels": "Data Labels", + "textDate": "Date", + "textDefault": "Selected range", + "textDeleteFilter": "Delete Filter", + "textDesign": "Design", + "textDiagonalDownBorder": "Diagonal Down Border", + "textDiagonalUpBorder": "Diagonal Up Border", + "textDisplay": "Display", + "textDisplayUnits": "Display Units", + "textDollar": "Dollar", + "textEditLink": "Edit Link", + "textEffects": "Effects", + "textEmptyImgUrl": "You need to specify the image URL.", + "textEmptyItem": "{Blanks}", + "textErrorMsg": "You must choose at least one value", + "textErrorTitle": "Warning", + "textEuro": "Euro", + "textExternalLink": "External Link", + "textFill": "Fill", + "textFillColor": "Fill Color", + "textFilterOptions": "Filter Options", + "textFit": "Fit Width", + "textFonts": "Fonts", + "textFormat": "Format", + "textFraction": "Fraction", + "textFromLibrary": "Picture from Library", + "textFromURL": "Picture from URL", + "textGeneral": "General", + "textGridlines": "Gridlines", + "textHigh": "High", + "textHorizontal": "Horizontal", + "textHorizontalAxis": "Horizontal Axis", + "textHorizontalText": "Horizontal Text", + "textHundredMil": "100 000 000", + "textHundreds": "Hundreds", + "textHundredThousands": "100 000", + "textHyperlink": "Hyperlink", + "textImage": "Image", + "textImageURL": "Image URL", + "textIn": "In", + "textInnerBottom": "Inner Bottom", + "textInnerTop": "Inner Top", + "textInsideBorders": "Inside Borders", + "textInsideHorizontalBorder": "Inside Horizontal Border", + "textInsideVerticalBorder": "Inside Vertical Border", + "textInteger": "Integer", + "textInternalDataRange": "Internal Data Range", + "textInvalidRange": "Invalid cells range", + "textJustified": "Justified", + "textLabelOptions": "Label Options", + "textLabelPosition": "Label Position", + "textLayout": "Layout", + "textLeft": "Left", + "textLeftBorder": "Left Border", + "textLeftOverlay": "Left Overlay", + "textLegend": "Legend", + "textLink": "Link", + "textLinkSettings": "Link Settings", + "textLinkType": "Link Type", + "textLow": "Low", + "textMajor": "Major", + "textMajorAndMinor": "Major And Minor", + "textMajorType": "Major Type", + "textMaximumValue": "Maximum Value", + "textMedium": "Medium", + "textMillions": "Millions", + "textMinimumValue": "Minimum Value", + "textMinor": "Minor", + "textMinorType": "Minor Type", + "textMoveBackward": "Move Backward", + "textMoveForward": "Move Forward", + "textNextToAxis": "Next to Axis", + "textNoBorder": "No Border", + "textNone": "None", + "textNoOverlay": "No Overlay", + "textNotUrl": "This field should be a URL in the format \"http://www.example.com\"", + "textNumber": "Number", + "textOnTickMarks": "On Tick Marks", + "textOpacity": "Opacity", + "textOut": "Out", + "textOuterTop": "Outer Top", + "textOutsideBorders": "Outside Borders", + "textOverlay": "Overlay", + "textPercentage": "Percentage", + "textPictureFromLibrary": "Picture from Library", + "textPictureFromURL": "Picture from URL", + "textPound": "Pound", + "textPt": "pt", + "textRange": "Range", + "textRemoveChart": "Remove Chart", + "textRemoveImage": "Remove Image", + "textRemoveLink": "Remove Link", + "textRemoveShape": "Remove Shape", + "textReorder": "Reorder", + "textReplace": "Replace", + "textReplaceImage": "Replace Image", + "textRequired": "Required", + "textRight": "Right", + "textRightBorder": "Right Border", + "textRightOverlay": "Right Overlay", + "textRotated": "Rotated", + "textRotateTextDown": "Rotate Text Down", + "textRotateTextUp": "Rotate Text Up", + "textRouble": "Rouble", + "textScientific": "Scientific", + "textScreenTip": "Screen Tip", + "textSelectAll": "Select All", + "textSelectObjectToEdit": "Select object to edit", + "textSendToBackground": "Send to Background", + "textSettings": "Settings", + "textShape": "Shape", + "textSheet": "Sheet", + "textSize": "Size", + "textStyle": "Style", + "textTenMillions": "10 000 000", + "textTenThousands": "10 000", + "textText": "Text", + "textTextColor": "Text Color", + "textTextFormat": "Text Format", + "textTextOrientation": "Text Orientation", + "textThick": "Thick", + "textThin": "Thin", + "textThousands": "Thousands", + "textTickOptions": "Tick Options", + "textTime": "Time", + "textTop": "Top", + "textTopBorder": "Top Border", + "textTrillions": "Trillions", + "textType": "Type", + "textValue": "Value", + "textValuesInReverseOrder": "Values in Reverse Order", + "textVertical": "Vertical", + "textVerticalAxis": "Vertical Axis", + "textVerticalText": "Vertical Text", + "textWrapText": "Wrap Text", + "textYen": "Yen", + "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"" + }, + "Settings": { + "advCSVOptions": "Choose CSV options", + "advDRMEnterPassword": "Your password, please:", + "advDRMOptions": "Protected File", + "advDRMPassword": "Password", + "closeButtonText": "Close File", + "notcriticalErrorTitle": "Warning", + "textAbout": "About", + "textAddress": "Address", + "textApplication": "Application", + "textApplicationSettings": "Application Settings", + "textAuthor": "Author", + "textBack": "Back", + "textBottom": "Bottom", + "textByColumns": "By columns", + "textByRows": "By rows", + "textCancel": "Cancel", + "textCentimeter": "Centimeter", + "textCollaboration": "Collaboration", + "textColorSchemes": "Color Schemes", + "textComment": "Comment", + "textCommentingDisplay": "Commenting Display", + "textComments": "Comments", + "textCreated": "Created", + "textCustomSize": "Custom Size", + "textDisableAll": "Disable All", + "textDisableAllMacrosWithNotification": "Disable all macros with a notification", + "textDisableAllMacrosWithoutNotification": "Disable all macros without a notification", + "textDone": "Done", + "textDownload": "Download", + "textDownloadAs": "Download As", + "textEmail": "Email", + "textEnableAll": "Enable All", + "textEnableAllMacrosWithoutNotification": "Enable all macros without a notification", + "textFind": "Find", + "textFindAndReplace": "Find and Replace", + "textFindAndReplaceAll": "Find and Replace All", + "textFormat": "Format", + "textFormulaLanguage": "Formula Language", + "textFormulas": "Formulas", + "textHelp": "Help", + "textHideGridlines": "Hide Gridlines", + "textHideHeadings": "Hide Headings", + "textHighlightRes": "Highlight results", + "textInch": "Inch", + "textLandscape": "Landscape", + "textLastModified": "Last Modified", + "textLastModifiedBy": "Last Modified By", + "textLeft": "Left", + "textLocation": "Location", + "textLookIn": "Look In", + "textMacrosSettings": "Macros Settings", + "textMargins": "Margins", + "textMatchCase": "Match Case", + "textMatchCell": "Match Cell", + "textNoTextFound": "Text not found", + "textOpenFile": "Enter a password to open the file", + "textOrientation": "Orientation", + "textOwner": "Owner", + "textPoint": "Point", + "textPortrait": "Portrait", + "textPoweredBy": "Powered By", + "textPrint": "Print", + "textR1C1Style": "R1C1 Reference Style", + "textRegionalSettings": "Regional Settings", + "textReplace": "Replace", + "textReplaceAll": "Replace All", + "textResolvedComments": "Resolved Comments", + "textRight": "Right", + "textSearch": "Search", + "textSearchBy": "Search", + "textSearchIn": "Search In", + "textSettings": "Settings", + "textSheet": "Sheet", + "textShowNotification": "Show Notification", + "textSpreadsheetFormats": "Spreadsheet Formats", + "textSpreadsheetInfo": "Spreadsheet Info", + "textSpreadsheetSettings": "Spreadsheet Settings", + "textSpreadsheetTitle": "Spreadsheet Title", + "textSubject": "Subject", + "textTel": "Tel", + "textTitle": "Title", + "textTop": "Top", + "textUnitOfMeasurement": "Unit Of Measurement", + "textUploaded": "Uploaded", + "textValues": "Values", + "textVersion": "Version", + "textWorkbook": "Workbook", + "txtDelimiter": "Delimiter", + "txtEncoding": "Encoding", + "txtIncorrectPwd": "Password is incorrect", + "txtProtected": "Once you enter the password and open the file, the current password to the file will be reset", + "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?" + } + } +} \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/es.json b/apps/spreadsheeteditor/mobile/locale/es.json index b620b4fff..92de7a254 100644 --- a/apps/spreadsheeteditor/mobile/locale/es.json +++ b/apps/spreadsheeteditor/mobile/locale/es.json @@ -1,661 +1,576 @@ { - "Common.Controllers.Collaboration.textAddReply": "Añadir respuesta", - "Common.Controllers.Collaboration.textCancel": "Cancelar", - "Common.Controllers.Collaboration.textDeleteComment": "Eliminar comentario", - "Common.Controllers.Collaboration.textDeleteReply": "Eliminar respuesta", - "Common.Controllers.Collaboration.textDone": "Listo", - "Common.Controllers.Collaboration.textEdit": "Editar", - "Common.Controllers.Collaboration.textEditUser": "El documento está siendo editado por múltiples usuarios.", - "Common.Controllers.Collaboration.textMessageDeleteComment": "¿Realmente quiere eliminar este comentario?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "¿Realmente quiere eliminar esta respuesta?", - "Common.Controllers.Collaboration.textReopen": "Volver a abrir", - "Common.Controllers.Collaboration.textResolve": "Resolver", - "Common.Controllers.Collaboration.textYes": "Sí", - "Common.UI.ThemeColorPalette.textCustomColors": "Colores personalizados", - "Common.UI.ThemeColorPalette.textStandartColors": "Colores estándar", - "Common.UI.ThemeColorPalette.textThemeColors": "Colores de tema", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAddReply": "Añadir respuesta", - "Common.Views.Collaboration.textBack": "Atrás", - "Common.Views.Collaboration.textCancel": "Cancelar", - "Common.Views.Collaboration.textCollaboration": "Colaboración", - "Common.Views.Collaboration.textDone": "Listo", - "Common.Views.Collaboration.textEditReply": "Editar respuesta", - "Common.Views.Collaboration.textEditUsers": "Usuarios", - "Common.Views.Collaboration.textEditСomment": "Editar comentario", - "Common.Views.Collaboration.textNoComments": "Esta hoja de cálculo no contiene comentarios", - "Common.Views.Collaboration.textСomments": "Comentarios", - "SSE.Controllers.AddChart.txtDiagramTitle": "Título de gráfico", - "SSE.Controllers.AddChart.txtSeries": "Serie", - "SSE.Controllers.AddChart.txtXAxis": "Eje X", - "SSE.Controllers.AddChart.txtYAxis": "Eje Y", - "SSE.Controllers.AddContainer.textChart": "Gráfico", - "SSE.Controllers.AddContainer.textFormula": "Función", - "SSE.Controllers.AddContainer.textImage": "Imagen", - "SSE.Controllers.AddContainer.textOther": "Otro", - "SSE.Controllers.AddContainer.textShape": "Forma", - "SSE.Controllers.AddLink.notcriticalErrorTitle": "Aviso", - "SSE.Controllers.AddLink.textInvalidRange": "¡ERROR!Rango de celdas inválido", - "SSE.Controllers.AddLink.txtNotUrl": "Este campo debe ser una dirección URL en el formato 'http://www.example.com'", - "SSE.Controllers.AddOther.notcriticalErrorTitle": "Aviso", - "SSE.Controllers.AddOther.textCancel": "Cancelar", - "SSE.Controllers.AddOther.textContinue": "Continuar", - "SSE.Controllers.AddOther.textDelete": "Eliminar", - "SSE.Controllers.AddOther.textDeleteDraft": "¿Realmente quiere eliminar el borrador?", - "SSE.Controllers.AddOther.textEmptyImgUrl": "Hay que especificar URL de imagen", - "SSE.Controllers.AddOther.txtNotUrl": "Este campo debe ser una dirección URL en el formato 'http://www.example.com'", - "SSE.Controllers.DocumentHolder.errorCopyCutPaste": "Las acciones de copiar, cortar y pegar utilizando el menú contextual se realizarán sólo dentro del archivo actual.", - "SSE.Controllers.DocumentHolder.errorInvalidLink": "El enlace no existe. Por favor, corrija o elimine el enlace.", - "SSE.Controllers.DocumentHolder.menuAddComment": "Agregar comentario", - "SSE.Controllers.DocumentHolder.menuAddLink": "Añadir enlace ", - "SSE.Controllers.DocumentHolder.menuCell": "Celda", - "SSE.Controllers.DocumentHolder.menuCopy": "Copiar ", - "SSE.Controllers.DocumentHolder.menuCut": "Cortar", - "SSE.Controllers.DocumentHolder.menuDelete": "Eliminar", - "SSE.Controllers.DocumentHolder.menuEdit": "Editar", - "SSE.Controllers.DocumentHolder.menuFreezePanes": "Inmovilizar paneles", - "SSE.Controllers.DocumentHolder.menuHide": "Ocultar", - "SSE.Controllers.DocumentHolder.menuMerge": "Unir", - "SSE.Controllers.DocumentHolder.menuMore": "Más", - "SSE.Controllers.DocumentHolder.menuOpenLink": "Abrir enlace", - "SSE.Controllers.DocumentHolder.menuPaste": "Pegar", - "SSE.Controllers.DocumentHolder.menuShow": "Mostrar", - "SSE.Controllers.DocumentHolder.menuUnfreezePanes": "Movilizar paneles", - "SSE.Controllers.DocumentHolder.menuUnmerge": "Anular combinación", - "SSE.Controllers.DocumentHolder.menuUnwrap": "Desenvolver", - "SSE.Controllers.DocumentHolder.menuViewComment": "Ver comentario", - "SSE.Controllers.DocumentHolder.menuWrap": "Envoltura", - "SSE.Controllers.DocumentHolder.notcriticalErrorTitle": "Aviso", - "SSE.Controllers.DocumentHolder.sheetCancel": "Cancelar", - "SSE.Controllers.DocumentHolder.textCopyCutPasteActions": "Acciones de Copiar, Cortar y Pegar", - "SSE.Controllers.DocumentHolder.textDoNotShowAgain": "No mostrar otra vez", - "SSE.Controllers.DocumentHolder.warnMergeLostData": "En la celda unida permanecerán sólo los datos de la celda de la esquina superior izquierda.
Está seguro de que quiere continuar?", - "SSE.Controllers.EditCell.textAuto": "Auto", - "SSE.Controllers.EditCell.textFonts": "Fuentes", - "SSE.Controllers.EditCell.textPt": "pt", - "SSE.Controllers.EditChart.errorMaxRows": "ERROR! Número máximo de series de datos para un gráfico es 255.", - "SSE.Controllers.EditChart.errorStockChart": "Orden de las filas incorrecto. Para crear un gráfico de cotizaciones introduzca los datos en la hoja de la forma siguiente:
precio de apertura, precio máximo, precio mínimo, precio de cierre.", - "SSE.Controllers.EditChart.textAuto": "Auto", - "SSE.Controllers.EditChart.textBetweenTickMarks": "Entre marcas de graduación", - "SSE.Controllers.EditChart.textBillions": "Miles de millones", - "SSE.Controllers.EditChart.textBottom": "Abajo ", - "SSE.Controllers.EditChart.textCenter": "Al centro", - "SSE.Controllers.EditChart.textCross": "Intersección", - "SSE.Controllers.EditChart.textCustom": "Personalizado", - "SSE.Controllers.EditChart.textFit": "Ajustar al ancho", - "SSE.Controllers.EditChart.textFixed": "Fijado", - "SSE.Controllers.EditChart.textHigh": "Alta", - "SSE.Controllers.EditChart.textHorizontal": "Horizontal ", - "SSE.Controllers.EditChart.textHundredMil": "100 000 000", - "SSE.Controllers.EditChart.textHundreds": "Cientos", - "SSE.Controllers.EditChart.textHundredThousands": "100 000", - "SSE.Controllers.EditChart.textIn": "En", - "SSE.Controllers.EditChart.textInnerBottom": "Abajo en el interior", - "SSE.Controllers.EditChart.textInnerTop": "Arriba en el interior", - "SSE.Controllers.EditChart.textLeft": "A la izquierda", - "SSE.Controllers.EditChart.textLeftOverlay": "Superposición a la izquierda", - "SSE.Controllers.EditChart.textLow": "Bajo", - "SSE.Controllers.EditChart.textManual": "Manualmente", - "SSE.Controllers.EditChart.textMaxValue": "Valor máximo", - "SSE.Controllers.EditChart.textMillions": "Millones", - "SSE.Controllers.EditChart.textMinValue": "Valor mínimo", - "SSE.Controllers.EditChart.textNextToAxis": "Al lado de eje", - "SSE.Controllers.EditChart.textNone": "Ninguno", - "SSE.Controllers.EditChart.textNoOverlay": "Sin superposición", - "SSE.Controllers.EditChart.textOnTickMarks": "Marcas de graduación", - "SSE.Controllers.EditChart.textOut": "Fuera", - "SSE.Controllers.EditChart.textOuterTop": "Arriba en el exterior", - "SSE.Controllers.EditChart.textOverlay": "Superposición", - "SSE.Controllers.EditChart.textRight": "A la derecha", - "SSE.Controllers.EditChart.textRightOverlay": "Superposición a la derecha", - "SSE.Controllers.EditChart.textRotated": "Girado", - "SSE.Controllers.EditChart.textTenMillions": "10 000 000", - "SSE.Controllers.EditChart.textTenThousands": "10 000", - "SSE.Controllers.EditChart.textThousands": "Miles", - "SSE.Controllers.EditChart.textTop": "Superior", - "SSE.Controllers.EditChart.textTrillions": "Billones", - "SSE.Controllers.EditChart.textValue": "Valor", - "SSE.Controllers.EditContainer.textCell": "Celda", - "SSE.Controllers.EditContainer.textChart": "Gráfico", - "SSE.Controllers.EditContainer.textHyperlink": "Hiperenlace", - "SSE.Controllers.EditContainer.textImage": "Imagen", - "SSE.Controllers.EditContainer.textSettings": "Ajustes", - "SSE.Controllers.EditContainer.textShape": "Forma", - "SSE.Controllers.EditContainer.textTable": "Tabla", - "SSE.Controllers.EditContainer.textText": "Texto", - "SSE.Controllers.EditHyperlink.notcriticalErrorTitle": "Aviso", - "SSE.Controllers.EditHyperlink.textDefault": "Rango seleccionado", - "SSE.Controllers.EditHyperlink.textEmptyImgUrl": "Hay que especificar URL de imagen.", - "SSE.Controllers.EditHyperlink.textExternalLink": "Enlace externo", - "SSE.Controllers.EditHyperlink.textInternalLink": "Rango de datos interno", - "SSE.Controllers.EditHyperlink.textInvalidRange": "Rango de celdas inválido", - "SSE.Controllers.EditHyperlink.txtNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"", - "SSE.Controllers.EditImage.notcriticalErrorTitle": "Aviso", - "SSE.Controllers.EditImage.textEmptyImgUrl": "Hay que especificar URL de imagen", - "SSE.Controllers.EditImage.txtNotUrl": "Este campo debe ser una dirección URL en el formato 'http://www.example.com'", - "SSE.Controllers.FilterOptions.textEmptyItem": "{Vacíos}", - "SSE.Controllers.FilterOptions.textErrorMsg": "Usted debe seleccionar al menos un valor", - "SSE.Controllers.FilterOptions.textErrorTitle": "Aviso", - "SSE.Controllers.FilterOptions.textSelectAll": "Seleccionar todo", - "SSE.Controllers.Main.advCSVOptions": "Elegir los parámetros de CSV", - "SSE.Controllers.Main.advDRMEnterPassword": "Introduzca su contraseña:", - "SSE.Controllers.Main.advDRMOptions": "Archivo protegido", - "SSE.Controllers.Main.advDRMPassword": "Contraseña", - "SSE.Controllers.Main.applyChangesTextText": "Cargando datos...", - "SSE.Controllers.Main.applyChangesTitleText": "Cargando datos", - "SSE.Controllers.Main.closeButtonText": "Cerrar archivo", - "SSE.Controllers.Main.convertationTimeoutText": "Tiempo de conversión está superado.", - "SSE.Controllers.Main.criticalErrorExtText": "Pulse 'OK' para volver a la lista de documentos.", - "SSE.Controllers.Main.criticalErrorTitle": "Error", - "SSE.Controllers.Main.downloadErrorText": "Error en la descarga", - "SSE.Controllers.Main.downloadMergeText": "Descargando...", - "SSE.Controllers.Main.downloadMergeTitle": "Descargando", - "SSE.Controllers.Main.downloadTextText": "Descargando hoja de cálculo...", - "SSE.Controllers.Main.downloadTitleText": "Descargando hoja de cálculo", - "SSE.Controllers.Main.errorAccessDeny": "Usted no tiene permisos para realizar la acción que está intentando hacer.
Por favor, contacte con el Administrador del Servidor de Documentos.", - "SSE.Controllers.Main.errorArgsRange": "Un error en la fórmula introducida.
Se usa un intervalo de argumentos incorrecto.", - "SSE.Controllers.Main.errorAutoFilterChange": "No se permite la operación porque intenta desplazar celdas en una tabla de su hoja de cálculo.", - "SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "No se puede realizar la operación para las celdas seleccionadas porque Usted no puede mover una parte de la tabla.
Seleccione otro rango de celdas para que toda la tabla sea seleccionada y intente de nuevo.", - "SSE.Controllers.Main.errorAutoFilterDataRange": "No se puede realizar la operación para el rango de celdas seleccionado.
Seleccione un rango de datos uniforme diferente del existente y vuelva a intentarlo.", - "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.errorChangeArray": "No se puede cambiar parte de una matriz.", - "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Se ha perdido la conexión con servidor. No se puede editar el documento ahora.", - "SSE.Controllers.Main.errorConnectToServer": "No se consiguió guardar el documento. Por favor, compruebe los ajustes de conexión o póngase en contacto con su administrador.
Al hacer clic en el botón 'OK' se le solicitará que descargue el documento.", - "SSE.Controllers.Main.errorCopyMultiselectArea": "No se puede usar este comando con varias selecciones.
Seleccione un solo rango y intente de nuevo.", - "SSE.Controllers.Main.errorCountArg": "Hay un error en la fórmula introducida.
Se usa un número de argumentos incorrecto.", - "SSE.Controllers.Main.errorCountArgExceed": "Un error en la fórmula introducida.
Número de argumentos es excedido.", - "SSE.Controllers.Main.errorCreateDefName": "No se puede editar los rangos con nombre existentes y crear los nuevos,
ya que algunos de ellos están editándose en este momento.", - "SSE.Controllers.Main.errorDatabaseConnection": "Error externo.
Error de conexión a la base de datos. Por favor, póngase en contacto con soporte si el error persiste.", - "SSE.Controllers.Main.errorDataEncrypted": "Se han recibido cambios cifrados, ellos no pueden ser descifrados.", - "SSE.Controllers.Main.errorDataRange": "Rango de datos incorrecto.", - "SSE.Controllers.Main.errorDataValidate": "El valor que ha introducido no es válido.
Un usuario ha restringido los valores que pueden ser introducidos en esta celda.", - "SSE.Controllers.Main.errorDefaultMessage": "Código de error: %1", - "SSE.Controllers.Main.errorEditingDownloadas": "Se produjo un error durante el trabajo con el documento.
Use la opción 'Descargar' para guardar la copia de seguridad de archivo en el disco duro de su computadora.", - "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 persiste.", - "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. ", - "SSE.Controllers.Main.errorFileVKey": "Error externo.
Clave de seguridad incorrecto. Por favor, póngase en contacto con soporte si el error persiste.", - "SSE.Controllers.Main.errorFillRange": "No se puede rellenar el rango de celdas seleccionado.
Todas las celdas seleccionadas deben tener el mismo tamaño.", - "SSE.Controllers.Main.errorFormulaName": "Hay un error en la fórmula introducida.
Se usa un nombre de fórmula incorrecto.", - "SSE.Controllers.Main.errorFormulaParsing": "Error interno mientras analizando la fórmula.", - "SSE.Controllers.Main.errorFrmlMaxLength": "La longitud de su fórmula excede el límite de 8192 carácteres.
Por favor, edítela e intente de nuevo.", - "SSE.Controllers.Main.errorFrmlMaxReference": "No puede introducir esta fórmula porque tiene demasiados valores,
referencias de celda, y/o nombres.", - "SSE.Controllers.Main.errorFrmlMaxTextLength": "Valores de texto en fórmulas son limitados al número de caracteres - 255.
Use la función CONCATENAR u operador de concatenación (&).", - "SSE.Controllers.Main.errorFrmlWrongReferences": "La función se refiere a una hoja que no existe.
Por favor, verifique los datos e inténtelo de nuevo.", - "SSE.Controllers.Main.errorInvalidRef": "Introducir un nombre correcto para la selección o una referencia válida para pasar.", - "SSE.Controllers.Main.errorKeyEncrypt": "Descriptor de clave desconocido", - "SSE.Controllers.Main.errorKeyExpire": "Descriptor de clave ha expirado", - "SSE.Controllers.Main.errorLockedAll": "No se puede realizar la operación porque la hoja ha sido bloqueado por otro usuario.", - "SSE.Controllers.Main.errorLockedCellPivot": "No puede modificar datos dentro de una tabla dinámica.", - "SSE.Controllers.Main.errorLockedWorksheetRename": "No se puede cambiar el nombre de la hoja en este momento, porque se está cambiando el nombre por otro usuario", - "SSE.Controllers.Main.errorMailMergeLoadFile": "Error al cargar el archivo. Por favor seleccione uno distinto.", - "SSE.Controllers.Main.errorMailMergeSaveFile": "Error de fusión.", - "SSE.Controllers.Main.errorMaxPoints": "El número máximo de", - "SSE.Controllers.Main.errorMoveRange": "No se puede cambiar parte de una celda combinada", - "SSE.Controllers.Main.errorMultiCellFormula": "Fórmulas de matriz con celdas múltiples no están permitidas en tablas.", - "SSE.Controllers.Main.errorOpensource": "Usando la gratuita versión Community, puede abrir los documentos sólo para verlos. Para acceder a los editores web móviles se requiere una licencia comercial.", - "SSE.Controllers.Main.errorOpenWarning": "Una de las fórmulas del archivo excede el límite de 8192 caracteres.
La fórmula fue eliminada.", - "SSE.Controllers.Main.errorOperandExpected": "La función de sintaxis introducida no es correcta. Le recomendamos verificar si no le hace falta uno del paréntesis - '(' o ')'", - "SSE.Controllers.Main.errorPasteMaxRange": "El área de copiar y pegar no coincide.
Por favor, seleccione una zona con el mismo tamaño o haga clic en la primera celda de una fila para pegar las celdas copiadas.", - "SSE.Controllers.Main.errorPrintMaxPagesCount": "Por desgracia, no es posible imprimir más de 1500 páginas a la vez en la versión actual.
Esta restricción será extraida en próximos lanzamientos.", - "SSE.Controllers.Main.errorProcessSaveResult": "Problemas al guardar", - "SSE.Controllers.Main.errorServerVersion": "La versión del editor ha sido actualizada. La página será recargada para aplicar los cambios.", - "SSE.Controllers.Main.errorSessionAbsolute": "Sesión de editar el documento ha expirado. Por favor, recargue la página.", - "SSE.Controllers.Main.errorSessionIdle": "El documento no ha sido editado durante bastante tiempo. Por favor, recargue la página.", - "SSE.Controllers.Main.errorSessionToken": "Conexión al servidor ha sido interrumpido. Por favor, recargue la página.", - "SSE.Controllers.Main.errorStockChart": "Orden de las filas incorrecto. Para crear un gráfico de cotizaciones introduzca los datos en la hoja de la forma siguiente:
precio de apertura, precio máximo, precio mínimo, precio de cierre.", - "SSE.Controllers.Main.errorToken": "El token de seguridad de documento tiene un formato incorrecto.
Por favor, contacte con el Administrador del Servidor de Documentos.", - "SSE.Controllers.Main.errorTokenExpire": "El token de seguridad de documento ha sido expirado.
Por favor, contacte con el Administrador del Servidor de Documentos.", - "SSE.Controllers.Main.errorUnexpectedGuid": "Error externo.
GUID inesparada. Por favor, póngase en contacto con soporte si el error persiste.", - "SSE.Controllers.Main.errorUpdateVersion": "Se ha cambiado la versión del archivo. La página será actualizada.", - "SSE.Controllers.Main.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.Controllers.Main.errorUserDrop": "No se puede acceder al archivo ahora.", - "SSE.Controllers.Main.errorUsersExceed": "El número de usuarios permitido según su plan de precios fue excedido", - "SSE.Controllers.Main.errorViewerDisconnect": "Se ha perdido la conexión. Usted todavía puede visualizar el documento,
pero no podrá descargarlo antes de que conexión sea restaurada y se actualice la página.", - "SSE.Controllers.Main.errorWrongBracketsCount": "Un error en la fórmula introducida.
Se usa un número incorrecto de corchetes.", - "SSE.Controllers.Main.errorWrongOperator": "Hay un error en la fórmula introducida. Se usa un operador inválido.
Por favor, corrija el error.", - "SSE.Controllers.Main.leavePageText": "Hay cambios no guardados en este documento. Haga clic en \"Permanecer en esta página\" para esperar la función de guardar automáticamente del documento. Haga clic en \"Abandonar esta página\" para descartar todos los cambios no guardados.", - "SSE.Controllers.Main.loadFontsTextText": "Cargando datos...", - "SSE.Controllers.Main.loadFontsTitleText": "Cargando datos", - "SSE.Controllers.Main.loadFontTextText": "Cargando datos...", - "SSE.Controllers.Main.loadFontTitleText": "Cargando datos", - "SSE.Controllers.Main.loadImagesTextText": "Cargando imágenes...", - "SSE.Controllers.Main.loadImagesTitleText": "Cargando imágenes", - "SSE.Controllers.Main.loadImageTextText": "Cargando imagen...", - "SSE.Controllers.Main.loadImageTitleText": "Cargando imagen", - "SSE.Controllers.Main.loadingDocumentTextText": "Cargando hoja de cálculo...", - "SSE.Controllers.Main.loadingDocumentTitleText": "Cargando hoja de cálculo", - "SSE.Controllers.Main.mailMergeLoadFileText": "Cargando fuente de datos...", - "SSE.Controllers.Main.mailMergeLoadFileTitle": "Cargando fuente de datos", - "SSE.Controllers.Main.notcriticalErrorTitle": "Aviso", - "SSE.Controllers.Main.openErrorText": "Se ha producido un error al abrir el archivo ", - "SSE.Controllers.Main.openTextText": "Abriendo documento...", - "SSE.Controllers.Main.openTitleText": "Abriendo documento", - "SSE.Controllers.Main.pastInMergeAreaError": "Es imposible cambiar una parte de la celda unida", - "SSE.Controllers.Main.printTextText": "Imprimiendo documento...", - "SSE.Controllers.Main.printTitleText": "Imprimiendo documento", - "SSE.Controllers.Main.reloadButtonText": "Volver a cargar página", - "SSE.Controllers.Main.requestEditFailedMessageText": "Alguien está editando este documento en este momento. Por favor, inténtelo de nuevo más tarde.", - "SSE.Controllers.Main.requestEditFailedTitleText": "Acceso denegado", - "SSE.Controllers.Main.saveErrorText": "Se ha producido un error al guardar el archivo ", - "SSE.Controllers.Main.savePreparingText": "Preparando para guardar", - "SSE.Controllers.Main.savePreparingTitle": "Preparando para guardar. Espere, por favor...", - "SSE.Controllers.Main.saveTextText": "Guardando documento...", - "SSE.Controllers.Main.saveTitleText": "Guardando documento", - "SSE.Controllers.Main.scriptLoadError": "La conexión a Internet es demasiado lenta, no se podía cargar algunos componentes. Por favor, recargue la página.", - "SSE.Controllers.Main.sendMergeText": "Envío de los resultados de fusión...", - "SSE.Controllers.Main.sendMergeTitle": "Envío de los resultados de fusión", - "SSE.Controllers.Main.textAnonymous": "Anónimo", - "SSE.Controllers.Main.textBack": "Atrás", - "SSE.Controllers.Main.textBuyNow": "Visitar sitio web", - "SSE.Controllers.Main.textCancel": "Cancelar", - "SSE.Controllers.Main.textClose": "Cerrar", - "SSE.Controllers.Main.textContactUs": "Equipo de ventas", - "SSE.Controllers.Main.textCustomLoader": "Note, por favor, que según los términos de la licencia Usted no tiene derecho a cambiar el cargador.
Por favor, póngase en contacto con nuestro Departamento de Ventas para obtener una cotización.", - "SSE.Controllers.Main.textDone": "Listo", - "SSE.Controllers.Main.textGuest": "Invitado", - "SSE.Controllers.Main.textHasMacros": "El archivo contiene macros automáticas.
¿Quiere ejecutar macros?", - "SSE.Controllers.Main.textLoadingDocument": "Cargando hoja de cálculo", - "SSE.Controllers.Main.textNo": "No", - "SSE.Controllers.Main.textNoLicenseTitle": "Se ha alcanzado el límite de licencias", - "SSE.Controllers.Main.textOK": "OK", - "SSE.Controllers.Main.textPaidFeature": "Función de pago", - "SSE.Controllers.Main.textPassword": "Contraseña", - "SSE.Controllers.Main.textPreloader": "Cargando...", - "SSE.Controllers.Main.textRemember": "Recordar mi elección para todos los archivos", - "SSE.Controllers.Main.textShape": "Forma", - "SSE.Controllers.Main.textStrict": "Modo estricto", - "SSE.Controllers.Main.textTryUndoRedo": "Las funciones Deshacer/Rehacer son desactivadas para el modo de co-edición Rápido.
Haga Clic en el botón \"Modo estricto\" para cambiar al modo de co-edición al Estricto para editar el archivo sin la interferencia de otros usuarios y enviar sus cambios sólo después de guardarlos. Se puede cambiar entre los modos de co-edición usando los ajustes avanzados de edición.", - "SSE.Controllers.Main.textUsername": "Nombre de usuario", - "SSE.Controllers.Main.textYes": "Sí", - "SSE.Controllers.Main.titleLicenseExp": "Licencia ha expirado", - "SSE.Controllers.Main.titleServerVersion": "Editor ha sido actualizado", - "SSE.Controllers.Main.titleUpdateVersion": "Versión se ha cambiado", - "SSE.Controllers.Main.txtAccent": "Acento", - "SSE.Controllers.Main.txtArt": "Introduzca su texto aquí", - "SSE.Controllers.Main.txtBasicShapes": "Formas básicas", - "SSE.Controllers.Main.txtButtons": "Botones", - "SSE.Controllers.Main.txtCallouts": "Llamadas", - "SSE.Controllers.Main.txtCharts": "Gráficos", - "SSE.Controllers.Main.txtDelimiter": "Delimitador", - "SSE.Controllers.Main.txtDiagramTitle": "Título de gráfico", - "SSE.Controllers.Main.txtEditingMode": "Establecer el modo de edición...", - "SSE.Controllers.Main.txtEncoding": "Codificación", - "SSE.Controllers.Main.txtErrorLoadHistory": "Error en la carga de historial", - "SSE.Controllers.Main.txtFiguredArrows": "Flechas figuradas", - "SSE.Controllers.Main.txtLines": "Líneas", - "SSE.Controllers.Main.txtMath": "Matemáticas", - "SSE.Controllers.Main.txtProtected": "Una vez que se ha introducido la contraseña y abierto el archivo, la contraseña actual al archivo se restablecerá", - "SSE.Controllers.Main.txtRectangles": "Rectángulos", - "SSE.Controllers.Main.txtSeries": "Serie", - "SSE.Controllers.Main.txtSpace": "Espacio", - "SSE.Controllers.Main.txtStarsRibbons": "Cintas y estrellas", - "SSE.Controllers.Main.txtStyle_Bad": "Malo", - "SSE.Controllers.Main.txtStyle_Calculation": "Cálculo", - "SSE.Controllers.Main.txtStyle_Check_Cell": "Celda de control", - "SSE.Controllers.Main.txtStyle_Comma": "Financiero", - "SSE.Controllers.Main.txtStyle_Currency": "Moneda", - "SSE.Controllers.Main.txtStyle_Explanatory_Text": "Texto explicativo", - "SSE.Controllers.Main.txtStyle_Good": "Bueno", - "SSE.Controllers.Main.txtStyle_Heading_1": "Título 1", - "SSE.Controllers.Main.txtStyle_Heading_2": "Título 2", - "SSE.Controllers.Main.txtStyle_Heading_3": "Título 3", - "SSE.Controllers.Main.txtStyle_Heading_4": "Título 4", - "SSE.Controllers.Main.txtStyle_Input": "Entrada", - "SSE.Controllers.Main.txtStyle_Linked_Cell": "Celda enlazada", - "SSE.Controllers.Main.txtStyle_Neutral": "Neutral", - "SSE.Controllers.Main.txtStyle_Normal": "Normal", - "SSE.Controllers.Main.txtStyle_Note": "Nota", - "SSE.Controllers.Main.txtStyle_Output": "Salida", - "SSE.Controllers.Main.txtStyle_Percent": "Por ciento", - "SSE.Controllers.Main.txtStyle_Title": "Título", - "SSE.Controllers.Main.txtStyle_Total": "Total", - "SSE.Controllers.Main.txtStyle_Warning_Text": "Texto de advertencia", - "SSE.Controllers.Main.txtTab": "Pestaña", - "SSE.Controllers.Main.txtXAxis": "Eje X", - "SSE.Controllers.Main.txtYAxis": "Eje Y", - "SSE.Controllers.Main.unknownErrorText": "Error desconocido.", - "SSE.Controllers.Main.unsupportedBrowserErrorText": "Su navegador no está soportado.", - "SSE.Controllers.Main.uploadImageExtMessage": "Formato de imagen desconocido.", - "SSE.Controllers.Main.uploadImageFileCountMessage": "No hay imágenes subidas.", - "SSE.Controllers.Main.uploadImageSizeMessage": "Tamaño máximo de imagen está superado.", - "SSE.Controllers.Main.uploadImageTextText": "Subiendo imagen...", - "SSE.Controllers.Main.uploadImageTitleText": "Subiendo imagen", - "SSE.Controllers.Main.waitText": "Por favor, espere...", - "SSE.Controllers.Main.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.", - "SSE.Controllers.Main.warnLicenseExp": "Su licencia ha expirado.
Por favor, actualice su licencia y después recargue la página.", - "SSE.Controllers.Main.warnLicenseLimitedNoAccess": "Licencia expirada.
No tiene acceso a la funcionalidad de edición de documentos.
Por favor, póngase en contacto con su administrador.", - "SSE.Controllers.Main.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", - "SSE.Controllers.Main.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.", - "SSE.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.", - "SSE.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.", - "SSE.Controllers.Main.warnProcessRightsChange": "El derecho de edición del archivo es denegado.", - "SSE.Controllers.Search.textNoTextFound": "Texto no encontrado", - "SSE.Controllers.Search.textReplaceAll": "Reemplazar todo", - "SSE.Controllers.Settings.notcriticalErrorTitle": "Aviso", - "SSE.Controllers.Settings.txtDe": "Alemán", - "SSE.Controllers.Settings.txtEn": "Inglés", - "SSE.Controllers.Settings.txtEs": "Español", - "SSE.Controllers.Settings.txtFr": "Francés", - "SSE.Controllers.Settings.txtIt": "Italiano", - "SSE.Controllers.Settings.txtPl": "Polaco", - "SSE.Controllers.Settings.txtRu": "Ruso", - "SSE.Controllers.Settings.warnDownloadAs": "Si sigue guardando en este formato, todas las características excepto el texto se perderán.
¿Está seguro de que quiere continuar?", - "SSE.Controllers.Statusbar.cancelButtonText": "Cancelar", - "SSE.Controllers.Statusbar.errNameExists": "Hoja de trabajo con este nombre ya existe.", - "SSE.Controllers.Statusbar.errNameWrongChar": "Nombre de hoja no puede contener los símbolos: \\, /, *, ?, [, ], :", - "SSE.Controllers.Statusbar.errNotEmpty": "Nombre de hoja no debe ser vacío", - "SSE.Controllers.Statusbar.errorLastSheet": "Un libro de trabajo debe contener al menos una hoja visible.", - "SSE.Controllers.Statusbar.errorRemoveSheet": "No se puede eliminar la hoja de cálculo.", - "SSE.Controllers.Statusbar.menuDelete": "Eliminar", - "SSE.Controllers.Statusbar.menuDuplicate": "Duplicar", - "SSE.Controllers.Statusbar.menuHide": "Ocultar", - "SSE.Controllers.Statusbar.menuMore": "Más", - "SSE.Controllers.Statusbar.menuRename": "Renombrar", - "SSE.Controllers.Statusbar.menuUnhide": "Mostrar", - "SSE.Controllers.Statusbar.notcriticalErrorTitle": "Aviso", - "SSE.Controllers.Statusbar.strRenameSheet": "Renombrar hoja", - "SSE.Controllers.Statusbar.strSheet": "Hoja", - "SSE.Controllers.Statusbar.strSheetName": "Nombre de hoja", - "SSE.Controllers.Statusbar.textExternalLink": "Enlace externo", - "SSE.Controllers.Statusbar.warnDeleteSheet": "La hoja de cálculo puede contener los datos. ¿Continuar operación?", - "SSE.Controllers.Toolbar.dlgLeaveMsgText": "Hay cambios no guardados en este documento. Haga clic en \"Permanecer en esta página\" para esperar la función de guardar automáticamente del documento. Haga clic en \"Abandonar esta página\" para descartar todos los cambios no guardados.", - "SSE.Controllers.Toolbar.dlgLeaveTitleText": "Usted abandona la aplicación", - "SSE.Controllers.Toolbar.leaveButtonText": "Salir de esta página", - "SSE.Controllers.Toolbar.stayButtonText": "Quedarse en esta página", - "SSE.Views.AddFunction.sCatDateAndTime": "Fecha y hora", - "SSE.Views.AddFunction.sCatEngineering": "Ingenería", - "SSE.Views.AddFunction.sCatFinancial": "Financial", - "SSE.Views.AddFunction.sCatInformation": "Información", - "SSE.Views.AddFunction.sCatLogical": "Lógico", - "SSE.Views.AddFunction.sCatLookupAndReference": "Búsq. y referencia", - "SSE.Views.AddFunction.sCatMathematic": "Matemát./trigonom.", - "SSE.Views.AddFunction.sCatStatistical": "Estadístico", - "SSE.Views.AddFunction.sCatTextAndData": "Texto y datos", - "SSE.Views.AddFunction.textBack": "Atrás", - "SSE.Views.AddFunction.textGroups": "Categorías", - "SSE.Views.AddLink.textAddLink": "Añadir enlace ", - "SSE.Views.AddLink.textAddress": "Dirección", - "SSE.Views.AddLink.textDisplay": "Mostrar", - "SSE.Views.AddLink.textExternalLink": "Enlace externo", - "SSE.Views.AddLink.textInsert": "Insertar", - "SSE.Views.AddLink.textInternalLink": "Rango de datos interno", - "SSE.Views.AddLink.textLink": "Enlace", - "SSE.Views.AddLink.textLinkType": "Típo de enlace", - "SSE.Views.AddLink.textRange": "Rango", - "SSE.Views.AddLink.textRequired": "Necesario", - "SSE.Views.AddLink.textSelectedRange": "Rango seleccionado", - "SSE.Views.AddLink.textSheet": "Hoja", - "SSE.Views.AddLink.textTip": "Consejos de pantalla", - "SSE.Views.AddOther.textAddComment": "Añadir comentario", - "SSE.Views.AddOther.textAddress": "Dirección", - "SSE.Views.AddOther.textBack": "Atrás", - "SSE.Views.AddOther.textComment": "Comentario", - "SSE.Views.AddOther.textDone": "Listo", - "SSE.Views.AddOther.textFilter": "Filtro", - "SSE.Views.AddOther.textFromLibrary": "Imagen de biblioteca", - "SSE.Views.AddOther.textFromURL": "Imagen de URL", - "SSE.Views.AddOther.textImageURL": "URL de imagen", - "SSE.Views.AddOther.textInsert": "Insertar", - "SSE.Views.AddOther.textInsertImage": "Insertar imagen", - "SSE.Views.AddOther.textLink": "Enlace", - "SSE.Views.AddOther.textLinkSettings": "Parámetros de enlace", - "SSE.Views.AddOther.textSort": "Ordenar y filtrar", - "SSE.Views.EditCell.textAccounting": "Contabilidad", - "SSE.Views.EditCell.textAddCustomColor": "Añadir un Color Personalizado", - "SSE.Views.EditCell.textAlignBottom": "Alinear en la parte inferior", - "SSE.Views.EditCell.textAlignCenter": "Alinear al centro", - "SSE.Views.EditCell.textAlignLeft": "Alinear a la izquierda", - "SSE.Views.EditCell.textAlignMiddle": "Alinear al medio", - "SSE.Views.EditCell.textAlignRight": "Alinear a la derecha", - "SSE.Views.EditCell.textAlignTop": "Alinear en la parte superior", - "SSE.Views.EditCell.textAllBorders": "Todos los bordes", - "SSE.Views.EditCell.textAngleClockwise": "Ángulo descendente", - "SSE.Views.EditCell.textAngleCounterclockwise": "Ángulo ascendente", - "SSE.Views.EditCell.textBack": "Atrás", - "SSE.Views.EditCell.textBorderStyle": "Estilo de borde", - "SSE.Views.EditCell.textBottomBorder": "Borde inferior", - "SSE.Views.EditCell.textCellStyle": "Estilos de celda", - "SSE.Views.EditCell.textCharacterBold": "B", - "SSE.Views.EditCell.textCharacterItalic": "I", - "SSE.Views.EditCell.textCharacterUnderline": "U", - "SSE.Views.EditCell.textColor": "Color", - "SSE.Views.EditCell.textCurrency": "Moneda", - "SSE.Views.EditCell.textCustomColor": "Color personalizado", - "SSE.Views.EditCell.textDate": "Fecha", - "SSE.Views.EditCell.textDiagDownBorder": "Borde diagonal descendente", - "SSE.Views.EditCell.textDiagUpBorder": "Borde diagonal ascendente", - "SSE.Views.EditCell.textDollar": "Dólar", - "SSE.Views.EditCell.textEuro": "Euro", - "SSE.Views.EditCell.textFillColor": "Color de relleno", - "SSE.Views.EditCell.textFonts": "Fuentes", - "SSE.Views.EditCell.textFormat": "Formato", - "SSE.Views.EditCell.textGeneral": "General", - "SSE.Views.EditCell.textHorizontalText": "Texto horizontal", - "SSE.Views.EditCell.textInBorders": "Bordes internos", - "SSE.Views.EditCell.textInHorBorder": "Borde horizontal interno", - "SSE.Views.EditCell.textInteger": "Entero", - "SSE.Views.EditCell.textInVertBorder": "Borde vertical interno", - "SSE.Views.EditCell.textJustified": "Justificado", - "SSE.Views.EditCell.textLeftBorder": "Borde izquierdo", - "SSE.Views.EditCell.textMedium": "Medio", - "SSE.Views.EditCell.textNoBorder": "Sin bordes", - "SSE.Views.EditCell.textNumber": "Número", - "SSE.Views.EditCell.textPercentage": "Porcentaje", - "SSE.Views.EditCell.textPound": "Libra", - "SSE.Views.EditCell.textRightBorder": "Borde derecho", - "SSE.Views.EditCell.textRotateTextDown": "Girar texto hacia abajo", - "SSE.Views.EditCell.textRotateTextUp": "Girar texto hacia arriba", - "SSE.Views.EditCell.textRouble": "Rublo", - "SSE.Views.EditCell.textScientific": "Scientífico", - "SSE.Views.EditCell.textSize": "Tamaño", - "SSE.Views.EditCell.textText": "Texto", - "SSE.Views.EditCell.textTextColor": "Color de texto", - "SSE.Views.EditCell.textTextFormat": "Formato de texto", - "SSE.Views.EditCell.textTextOrientation": "Orientación del texto", - "SSE.Views.EditCell.textThick": "Grueso", - "SSE.Views.EditCell.textThin": "Fino", - "SSE.Views.EditCell.textTime": "Hora", - "SSE.Views.EditCell.textTopBorder": "Borde superior", - "SSE.Views.EditCell.textVerticalText": "Texto vertical", - "SSE.Views.EditCell.textWrapText": "Ajustar texto", - "SSE.Views.EditCell.textYen": "Yen", - "SSE.Views.EditChart.textAddCustomColor": "Añadir un Color Personalizado", - "SSE.Views.EditChart.textAuto": "Auto", - "SSE.Views.EditChart.textAxisCrosses": "Intersección con eje", - "SSE.Views.EditChart.textAxisOptions": "Parámetros de eje", - "SSE.Views.EditChart.textAxisPosition": "Posición de eje", - "SSE.Views.EditChart.textAxisTitle": "Título del eje", - "SSE.Views.EditChart.textBack": "Atrás", - "SSE.Views.EditChart.textBackward": "Mover atrás", - "SSE.Views.EditChart.textBorder": "Borde", - "SSE.Views.EditChart.textBottom": "Abajo ", - "SSE.Views.EditChart.textChart": "Gráfico", - "SSE.Views.EditChart.textChartTitle": "Título de gráfico", - "SSE.Views.EditChart.textColor": "Color", - "SSE.Views.EditChart.textCrossesValue": "Valor", - "SSE.Views.EditChart.textCustomColor": "Color personalizado", - "SSE.Views.EditChart.textDataLabels": "Etiquetas de datos", - "SSE.Views.EditChart.textDesign": "Diseño", - "SSE.Views.EditChart.textDisplayUnits": "Unidades de visualización", - "SSE.Views.EditChart.textFill": "Relleno", - "SSE.Views.EditChart.textForward": "Mover adelante", - "SSE.Views.EditChart.textGridlines": "Líneas de cuadrícula", - "SSE.Views.EditChart.textHorAxis": "Eje horizontal", - "SSE.Views.EditChart.textHorizontal": "Horizontal ", - "SSE.Views.EditChart.textLabelOptions": "Parámetros de etiqueta", - "SSE.Views.EditChart.textLabelPos": "Posición de etiqueta", - "SSE.Views.EditChart.textLayout": "Diseño", - "SSE.Views.EditChart.textLeft": "A la izquierda", - "SSE.Views.EditChart.textLeftOverlay": "Superposición a la izquierda", - "SSE.Views.EditChart.textLegend": "Leyenda", - "SSE.Views.EditChart.textMajor": "Principal", - "SSE.Views.EditChart.textMajorMinor": "Principales y secundarios", - "SSE.Views.EditChart.textMajorType": "Tipo principal", - "SSE.Views.EditChart.textMaxValue": "Valor máximo", - "SSE.Views.EditChart.textMinor": "Secundario", - "SSE.Views.EditChart.textMinorType": "Tipo secundario", - "SSE.Views.EditChart.textMinValue": "Valor mínimo", - "SSE.Views.EditChart.textNone": "Ninguno", - "SSE.Views.EditChart.textNoOverlay": "Sin superposición", - "SSE.Views.EditChart.textOverlay": "Superposición", - "SSE.Views.EditChart.textRemoveChart": "Eliminar gráfico", - "SSE.Views.EditChart.textReorder": "Reorganizar", - "SSE.Views.EditChart.textRight": "A la derecha", - "SSE.Views.EditChart.textRightOverlay": "Superposición a la derecha", - "SSE.Views.EditChart.textRotated": "Girado", - "SSE.Views.EditChart.textSize": "Tamaño", - "SSE.Views.EditChart.textStyle": "Estilo", - "SSE.Views.EditChart.textTickOptions": "Parámetros de marcas de graduación", - "SSE.Views.EditChart.textToBackground": "Enviar al fondo", - "SSE.Views.EditChart.textToForeground": "Traer al primer plano", - "SSE.Views.EditChart.textTop": "Superior", - "SSE.Views.EditChart.textType": "Tipo", - "SSE.Views.EditChart.textValReverseOrder": "Valores en orden inverso", - "SSE.Views.EditChart.textVerAxis": "Eje vertical", - "SSE.Views.EditChart.textVertical": "Vertical", - "SSE.Views.EditHyperlink.textBack": "Atrás", - "SSE.Views.EditHyperlink.textDisplay": "Mostrar", - "SSE.Views.EditHyperlink.textEditLink": "Editar enlace", - "SSE.Views.EditHyperlink.textExternalLink": "Enlace externo", - "SSE.Views.EditHyperlink.textInternalLink": "Rango de datos interno", - "SSE.Views.EditHyperlink.textLink": "Enlace", - "SSE.Views.EditHyperlink.textLinkType": "Tipo de enlace", - "SSE.Views.EditHyperlink.textRange": "Rango", - "SSE.Views.EditHyperlink.textRemoveLink": "Eliminar enlace", - "SSE.Views.EditHyperlink.textScreenTip": "Consejos de pantalla", - "SSE.Views.EditHyperlink.textSheet": "Hoja", - "SSE.Views.EditImage.textAddress": "Dirección", - "SSE.Views.EditImage.textBack": "Atrás", - "SSE.Views.EditImage.textBackward": "Mover atrás", - "SSE.Views.EditImage.textDefault": "Tamaño actual", - "SSE.Views.EditImage.textForward": "Mover adelante", - "SSE.Views.EditImage.textFromLibrary": "Imagen de biblioteca", - "SSE.Views.EditImage.textFromURL": "Imagen de URL", - "SSE.Views.EditImage.textImageURL": "URL de imagen", - "SSE.Views.EditImage.textLinkSettings": "Ajustes de enlace", - "SSE.Views.EditImage.textRemove": "Eliminar imagen", - "SSE.Views.EditImage.textReorder": "Reorganizar", - "SSE.Views.EditImage.textReplace": "Reemplazar", - "SSE.Views.EditImage.textReplaceImg": "Reemplazar imagen", - "SSE.Views.EditImage.textToBackground": "Enviar al fondo", - "SSE.Views.EditImage.textToForeground": "Traer al primer plano", - "SSE.Views.EditShape.textAddCustomColor": "Añadir un Color Personalizado", - "SSE.Views.EditShape.textBack": "Atrás", - "SSE.Views.EditShape.textBackward": "Mover atrás", - "SSE.Views.EditShape.textBorder": "Borde", - "SSE.Views.EditShape.textColor": "Color", - "SSE.Views.EditShape.textCustomColor": "Color personalizado", - "SSE.Views.EditShape.textEffects": "Efectos", - "SSE.Views.EditShape.textFill": "Relleno", - "SSE.Views.EditShape.textForward": "Mover adelante", - "SSE.Views.EditShape.textOpacity": "Opacidad ", - "SSE.Views.EditShape.textRemoveShape": "Eliminar forma", - "SSE.Views.EditShape.textReorder": "Reorganizar", - "SSE.Views.EditShape.textReplace": "Reemplazar", - "SSE.Views.EditShape.textSize": "Tamaño", - "SSE.Views.EditShape.textStyle": "Estilo", - "SSE.Views.EditShape.textToBackground": "Enviar al fondo", - "SSE.Views.EditShape.textToForeground": "Traer al primer plano", - "SSE.Views.EditText.textAddCustomColor": "Añadir un Color Personalizado", - "SSE.Views.EditText.textBack": "Atrás", - "SSE.Views.EditText.textCharacterBold": "B", - "SSE.Views.EditText.textCharacterItalic": "I", - "SSE.Views.EditText.textCharacterUnderline": "U", - "SSE.Views.EditText.textCustomColor": "Color personalizado", - "SSE.Views.EditText.textFillColor": "Color de relleno", - "SSE.Views.EditText.textFonts": "Fuentes", - "SSE.Views.EditText.textSize": "Tamaño", - "SSE.Views.EditText.textTextColor": "Color de texto", - "SSE.Views.FilterOptions.textClearFilter": "Borrar filtro", - "SSE.Views.FilterOptions.textDeleteFilter": "Eliminar filtro", - "SSE.Views.FilterOptions.textFilter": "Opciones de filtro", - "SSE.Views.Search.textByColumns": "Por columnas", - "SSE.Views.Search.textByRows": "Por filas", - "SSE.Views.Search.textDone": "Listo", - "SSE.Views.Search.textFind": "Buscar", - "SSE.Views.Search.textFindAndReplace": "Buscar y reemplazar", - "SSE.Views.Search.textFormulas": "Fórmulas ", - "SSE.Views.Search.textHighlightRes": "Resaltar resultados", - "SSE.Views.Search.textLookIn": "Buscar en", - "SSE.Views.Search.textMatchCase": "Coincidir mayúsculas y minúsculas", - "SSE.Views.Search.textMatchCell": "Coincidir celda", - "SSE.Views.Search.textReplace": "Reemplazar", - "SSE.Views.Search.textSearch": "Búsqueda", - "SSE.Views.Search.textSearchBy": "Búsqueda", - "SSE.Views.Search.textSearchIn": "Buscar en", - "SSE.Views.Search.textSheet": "Hoja", - "SSE.Views.Search.textValues": "Valores", - "SSE.Views.Search.textWorkbook": "Libro de trabajo", - "SSE.Views.Settings.textAbout": "Acerca de producto", - "SSE.Views.Settings.textAddress": "dirección", - "SSE.Views.Settings.textApplication": "Aplicación", - "SSE.Views.Settings.textApplicationSettings": "Ajustes de aplicación", - "SSE.Views.Settings.textAuthor": "Autor", - "SSE.Views.Settings.textBack": "Atrás", - "SSE.Views.Settings.textBottom": "Abajo ", - "SSE.Views.Settings.textCentimeter": "Centímetro", - "SSE.Views.Settings.textCollaboration": "Colaboración", - "SSE.Views.Settings.textColorSchemes": "Esquemas de color", - "SSE.Views.Settings.textComment": "Comentario", - "SSE.Views.Settings.textCommentingDisplay": "Visualización de los comentarios", - "SSE.Views.Settings.textCreated": "Creado", - "SSE.Views.Settings.textCreateDate": "Fecha de creación", - "SSE.Views.Settings.textCustom": "Personalizado", - "SSE.Views.Settings.textCustomSize": "Tamaño personalizado", - "SSE.Views.Settings.textDisableAll": "Deshabilitar todo", - "SSE.Views.Settings.textDisableAllMacrosWithNotification": "Deshabilitar todas las macros con notificación", - "SSE.Views.Settings.textDisableAllMacrosWithoutNotification": "Deshabilitar todas las macros sin notificación", - "SSE.Views.Settings.textDisplayComments": "Comentarios", - "SSE.Views.Settings.textDisplayResolvedComments": "Comentarios resueltos", - "SSE.Views.Settings.textDocInfo": "Información sobre hoja de cálculo", - "SSE.Views.Settings.textDocTitle": "Título de hoja de cálculo", - "SSE.Views.Settings.textDone": "Listo", - "SSE.Views.Settings.textDownload": "Descargar", - "SSE.Views.Settings.textDownloadAs": "Descargar como...", - "SSE.Views.Settings.textEditDoc": "Editar documento", - "SSE.Views.Settings.textEmail": "email", - "SSE.Views.Settings.textEnableAll": "Habilitar todo", - "SSE.Views.Settings.textEnableAllMacrosWithoutNotification": "Habilitar todas las macros sin notificación ", - "SSE.Views.Settings.textExample": "Ejemplo", - "SSE.Views.Settings.textFind": "Buscar", - "SSE.Views.Settings.textFindAndReplace": "Buscar y reemplazar", - "SSE.Views.Settings.textFormat": "Formato", - "SSE.Views.Settings.textFormulaLanguage": "Idioma de fórmulas", - "SSE.Views.Settings.textHelp": "Ayuda", - "SSE.Views.Settings.textHideGridlines": "Ocultar líneas de la cuadrícula", - "SSE.Views.Settings.textHideHeadings": "Ocultar encabezados", - "SSE.Views.Settings.textInch": "Pulgada", - "SSE.Views.Settings.textLandscape": "Horizontal", - "SSE.Views.Settings.textLastModified": "Última modificación", - "SSE.Views.Settings.textLastModifiedBy": "Modificado por última vez por", - "SSE.Views.Settings.textLeft": "A la izquierda", - "SSE.Views.Settings.textLoading": "Cargando...", - "SSE.Views.Settings.textLocation": "Ubicación", - "SSE.Views.Settings.textMacrosSettings": "Ajustes de macros", - "SSE.Views.Settings.textMargins": "Márgenes", - "SSE.Views.Settings.textOrientation": "Orientación", - "SSE.Views.Settings.textOwner": "Propietario", - "SSE.Views.Settings.textPoint": "Punto", - "SSE.Views.Settings.textPortrait": "Vertical", - "SSE.Views.Settings.textPoweredBy": "Desarrollado por", - "SSE.Views.Settings.textPrint": "Imprimir", - "SSE.Views.Settings.textR1C1Style": "Estilo de referencia R1C1", - "SSE.Views.Settings.textRegionalSettings": "Configuración regional", - "SSE.Views.Settings.textRight": "A la derecha", - "SSE.Views.Settings.textSettings": "Ajustes", - "SSE.Views.Settings.textShowNotification": "Mostrar notificación", - "SSE.Views.Settings.textSpreadsheetFormats": "Formatos de hoja de cálculo", - "SSE.Views.Settings.textSpreadsheetSettings": "Ajustes de hoja de cálculo", - "SSE.Views.Settings.textSubject": "Asunto", - "SSE.Views.Settings.textTel": "Tel.", - "SSE.Views.Settings.textTitle": "Título", - "SSE.Views.Settings.textTop": "Arriba", - "SSE.Views.Settings.textUnitOfMeasurement": "Unidad de medida", - "SSE.Views.Settings.textUploaded": "Cargado", - "SSE.Views.Settings.textVersion": "Versión ", - "SSE.Views.Settings.unknownText": "Desconocido", - "SSE.Views.Toolbar.textBack": "Atrás" + "About": { + "textAbout": "Acerca de", + "textAddress": "Dirección", + "textBack": "Atrás", + "textEmail": "E-mail", + "textPoweredBy": "Con tecnología de", + "textTel": "Tel", + "textVersion": "Versión " + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Advertencia", + "textAddComment": "Añadir comentario", + "textAddReply": "Añadir respuesta", + "textBack": "Atrás", + "textCancel": "Cancelar", + "textCollaboration": "Colaboración", + "textComments": "Comentarios", + "textDeleteComment": "Eliminar comentario", + "textDeleteReply": "Eliminar respuesta", + "textDone": "Listo", + "textEdit": "Editar", + "textEditComment": "Editar comentario", + "textEditReply": "Editar respuesta", + "textEditUser": "Usuarios que están editando el archivo:", + "textMessageDeleteComment": "¿Realmente quiere eliminar este comentario?", + "textMessageDeleteReply": "¿Realmente quiere eliminar esta respuesta?", + "textNoComments": "Este documento no contiene comentarios", + "textReopen": "Volver a abrir", + "textResolve": "Resolver", + "textTryUndoRedo": "Las funciones Deshacer/Rehacer están desactivadas en el modo de co-edición rápido.", + "textUsers": "Usuarios" + }, + "ThemeColorPalette": { + "textCustomColors": "Colores personalizados", + "textStandartColors": "Colores estándar", + "textThemeColors": "Colores de tema" + } + }, + "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 ", + "menuCancel": "Cancelar", + "menuCell": "Celda", + "menuDelete": "Eliminar", + "menuEdit": "Editar", + "menuFreezePanes": "Inmovilizar paneles", + "menuHide": "Ocultar", + "menuMerge": "Combinar", + "menuMore": "Más", + "menuOpenLink": "Abrir enlace", + "menuShow": "Mostrar", + "menuUnfreezePanes": "Movilizar paneles", + "menuUnmerge": "Anular combinación", + "menuUnwrap": "Desajustar", + "menuViewComment": "Ver comentario", + "menuWrap": "Ajustar", + "notcriticalErrorTitle": "Advertencia", + "textCopyCutPasteActions": "Acciones de Copiar, Cortar y Pegar", + "textDoNotShowAgain": "No mostrar de nuevo", + "warnMergeLostData": "La operación puede destruir los datos de las celdas seleccionadas. ¿Continuar?" + }, + "Controller": { + "Main": { + "criticalErrorTitle": "Error", + "errorAccessDeny": "Está intentando realizar una acción para la que no tiene derechos.
Por favor, contacte con su administrador.", + "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.", + "leavePageText": "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.", + "notcriticalErrorTitle": "Advertencia", + "SDK": { + "txtAccent": "Énfasis", + "txtArt": "Su texto aquí", + "txtDiagramTitle": "Título del gráfico", + "txtSeries": "Serie", + "txtStyle_Bad": "Malo", + "txtStyle_Calculation": "Cálculo", + "txtStyle_Check_Cell": "Celda de comprobación", + "txtStyle_Comma": "Coma", + "txtStyle_Currency": "Moneda", + "txtStyle_Explanatory_Text": "Texto explicativo", + "txtStyle_Good": "Bueno", + "txtStyle_Heading_1": "Título 1", + "txtStyle_Heading_2": "Título 2", + "txtStyle_Heading_3": "Título 3", + "txtStyle_Heading_4": "Título 4", + "txtStyle_Input": "Entrada", + "txtStyle_Linked_Cell": "Celda enlazada", + "txtStyle_Neutral": "Neutral", + "txtStyle_Normal": "Normal", + "txtStyle_Note": "Nota", + "txtStyle_Output": "Salida", + "txtStyle_Percent": "Por ciento", + "txtStyle_Title": "Título", + "txtStyle_Total": "Total", + "txtStyle_Warning_Text": "Texto de advertencia", + "txtXAxis": "Eje X", + "txtYAxis": "Eje Y" + }, + "textAnonymous": "Anónimo", + "textBuyNow": "Visitar sitio web", + "textClose": "Cerrar", + "textContactUs": "Contactar con el equipo de ventas", + "textCustomLoader": "Por desgracia, no tiene derecho a cambiar el cargador. Por favor, póngase en contacto con nuestro departamento de ventas para obtener una cotización.", + "textGuest": "Invitado", + "textHasMacros": "El archivo contiene macros automáticas.
¿Quiere ejecutar macros?", + "textNo": "No", + "textNoLicenseTitle": "Se ha alcanzado el límite de licencia", + "textPaidFeature": "Característica de pago", + "textRemember": "Recordar mi elección", + "textYes": "Sí", + "titleServerVersion": "Editor ha sido actualizado", + "titleUpdateVersion": "Versión ha cambiado", + "warnLicenseExceeded": "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 su administrador para obtener más información.", + "warnLicenseLimitedNoAccess": "La licencia ha expirado. No tiene acceso a la funcionalidad de edición de documentos. Por favor, póngase en contacto con su administrador.", + "warnLicenseLimitedRenewed": "La licencia necesita renovación. Tiene acceso limitado a la funcionalidad de edición de documentos.
Por favor, póngase en contacto con su administrador para obtener acceso completo", + "warnLicenseUsersExceeded": "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." + } + }, + "Error": { + "convertationTimeoutText": "Tiempo de conversión está superado.", + "criticalErrorExtText": "Pulse \"OK\" para volver a la lista de documentos.", + "criticalErrorTitle": "Error", + "downloadErrorText": "Error al descargar.", + "errorAccessDeny": "Está intentando realizar una acción para la que no tiene derechos.
Por favor, contacte con su administrador.", + "errorArgsRange": "Un error en la fórmula.
Rango de argumentos incorrecto.", + "errorAutoFilterChange": "La operación no está permitida ya que está intentando desplazar las celdas de una tabla de la hoja de cálculo.", + "errorAutoFilterChangeFormatTable": "La operación no se puede realizar para las celdas seleccionadas ya que no es posible mover una parte de una tabla.
Seleccione otro rango de datos para que se desplace toda la tabla y vuelva a intentarlo.", + "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", + "errorChangeArray": "No se puede cambiar parte de una matriz.", + "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.", + "errorCopyMultiselectArea": "No se puede usar este comando con varias selecciones.
Seleccione un solo rango e inténtelo de nuevo.", + "errorCountArg": "Un error en la fórmula.
Número de argumentos no válido.", + "errorCountArgExceed": "Un error en la fórmula.
Se ha superado el número máximo de argumentos.", + "errorCreateDefName": "Los rangos con nombre existentes no pueden ser editados y los nuevos no se pueden crear
en este momento ya que algunos de ellos están editándose.", + "errorDatabaseConnection": "Error externo.
Error de conexión a la base de datos. Por favor, contacte con el equipo de soporte técnico.", + "errorDataEncrypted": "Se han recibido cambios cifrados, ellos no pueden ser descifrados.", + "errorDataRange": "Rango de datos incorrecto.", + "errorDataValidate": "El valor que ha introducido no es válido.
Un usuario ha restringido los valores que pueden ser introducidos en esta celda.", + "errorDefaultMessage": "Código de error: %1", + "errorEditingDownloadas": "Se ha producido un error al trabajar con el documento.
Utilice la opción 'Descargar' para guardar la copia de seguridad del archivo localmente.", + "errorFilePassProtect": "El archivo está protegido por contraseña y no se puede abrir.", + "errorFileRequest": "Error externo.
Solicitud de archivo. Por favor, contacte con el equipo de soporte.", + "errorFileSizeExceed": "El tamaño del archivo excede la limitación del servidor.
Por favor, póngase en contacto con su administrador.", + "errorFileVKey": "Error externo.
Clave de seguridad incorrecta. Por favor, contacte con el equipo de soporte.", + "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.", + "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.", + "errorInvalidRef": "Introducir un nombre correcto para la selección o una referencia válida a la que dirigirse.", + "errorKeyEncrypt": "Descriptor de clave desconocido", + "errorKeyExpire": "Descriptor de clave ha expirado", + "errorLockedAll": "No se puede realizar la operación porque la hoja ha sido bloqueada por otro usuario.", + "errorLockedCellPivot": "No puede modificar datos dentro de una tabla pivote.", + "errorLockedWorksheetRename": "No se puede cambiar el nombre de la hoja en este momento, porque se está cambiando el nombre por otro usuario", + "errorMaxPoints": "El número máximo de puntos en serie por gráfico es 4096.", + "errorMoveRange": "No se puede modificar una parte de una celda combinada", + "errorMultiCellFormula": "Las fórmulas de matriz de varias celdas no están permitidas en las tablas.", + "errorOpenWarning": "La longitud de una de las fórmulas en el archivo ha superado
el número de caracteres permitidos y se ha eliminado.", + "errorOperandExpected": "La sintaxis de la función introducida no es correcta. Por favor, compruebe si ha omitido uno de los paréntesis - '(' o ')'.", + "errorPasteMaxRange": "El área de copiar y pegar no coincide. Por favor, seleccione un área del mismo tamaño o haga clic en la primera celda de una fila para pegar las celdas copiadas.", + "errorPrintMaxPagesCount": "Por desgracia, no es posible imprimir más de 1500 páginas a la vez en la versión actual del programa.
Esta restricción se eliminará en próximas versiones.", + "errorSessionAbsolute": "La sesión de edición del documento ha expirado. Por favor, vuelva a cargar la página.", + "errorSessionIdle": "El documento no ha sido editado desde hace mucho tiempo. Por favor, vuelva a cargar la página.", + "errorSessionToken": "La conexión con el servidor se ha interrumpido. Por favor, vuelva a cargar la página.", + "errorStockChart": "Orden incorrecto de las filas. Para construir un gráfico de cotizaciones, coloque los datos en la hoja en el siguiente orden:
precio de apertura, precio máximo, precio mínimo, precio de cierre.", + "errorUnexpectedGuid": "Error externo.
Guid inesperado. Por favor, contacte con el equipo de soporte.", + "errorUpdateVersionOnDisconnect": "La conexión a Internet se ha restaurado y la versión del archivo ha cambiado.
Antes de continuar trabajando, necesita descargar el archivo o copiar su contenido para asegurarse de que no ha perdido nada y luego recargar esta página.", + "errorUserDrop": "No se puede acceder al archivo ahora mismo.", + "errorUsersExceed": "Se superó la cantidad de usuarios permitidos por el plan de precios", + "errorViewerDisconnect": "Se ha perdido la conexión. Todavía puede ver el documento,
pero no podrá descargarlo hasta que se restablezca la conexión y se recargue la página.", + "errorWrongBracketsCount": "Un error en la fórmula.
Número de corchetes incorrecto.", + "errorWrongOperator": "Un error en la fórmula introducida. Se ha utilizado el operador incorrecto.
Corrija el error o utilice el botón Esc para cancelar la edición de la fórmula.", + "notcriticalErrorTitle": "Advertencia", + "openErrorText": "Se ha producido un error al abrir el archivo ", + "pastInMergeAreaError": "No se puede modificar una parte de una celda combinada", + "saveErrorText": "Se ha producido un error al guardar el archivo ", + "scriptLoadError": "La conexión es demasiado lenta, algunos de los componentes no se han podido cargar. Por favor, vuelva a cargar la página.", + "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." + }, + "LongActions": { + "applyChangesTextText": "Cargando datos...", + "applyChangesTitleText": "Cargando datos", + "confirmMoveCellRange": "El rango de celdas de destino puede contener datos. ¿Continuar la operación?", + "confirmPutMergeRange": "Los datos de origen contienen celdas combinadas.
Se anulará la combinación antes de pegarlas en la tabla.", + "confirmReplaceFormulaInTable": "Las fórmulas de la fila de encabezado se eliminarán y se convertirán en texto estático.
¿Desea continuar?", + "downloadTextText": "Descargando documento...", + "downloadTitleText": "Descargando documento", + "loadFontsTextText": "Cargando datos...", + "loadFontsTitleText": "Cargando datos", + "loadFontTextText": "Cargando datos...", + "loadFontTitleText": "Cargando datos", + "loadImagesTextText": "Cargando imágenes...", + "loadImagesTitleText": "Cargando imágenes", + "loadImageTextText": "Cargando imagen...", + "loadImageTitleText": "Cargando imagen", + "loadingDocumentTextText": "Cargando documento...", + "loadingDocumentTitleText": "Cargando documento", + "notcriticalErrorTitle": "Advertencia", + "openTextText": "Abriendo documento...", + "openTitleText": "Abriendo documento", + "printTextText": "Imprimiendo documento...", + "printTitleText": "Imprimiendo documento", + "savePreparingText": "Preparando para guardar", + "savePreparingTitle": "Preparando para guardar. Espere, por favor...", + "saveTextText": "Guardando documento...", + "saveTitleText": "Guardando documento", + "textLoadingDocument": "Cargando documento", + "textNo": "No", + "textOk": "OK", + "textYes": "Sí", + "txtEditingMode": "Establecer el modo de edición...", + "uploadImageTextText": "Subiendo imagen...", + "uploadImageTitleText": "Subiendo imagen", + "waitText": "Por favor, espere..." + }, + "Statusbar": { + "notcriticalErrorTitle": "Advertencia", + "textCancel": "Cancelar", + "textDelete": "Eliminar", + "textDuplicate": "Duplicar", + "textErrNameExists": "La hoja de cálculo con este nombre ya existe.", + "textErrNameWrongChar": "Nombre de hoja no puede contener los símbolos: \\, /, *, ?, [, ], :", + "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.", + "textHide": "Ocultar", + "textMore": "Más", + "textRename": "Renombrar", + "textRenameSheet": "Renombrar hoja", + "textSheet": "Hoja", + "textSheetName": "Nombre de hoja", + "textUnhide": "Volver a mostrar", + "textWarnDeleteSheet": "La hoja de cálculo puede tener datos. ¿Continuar con la operación?" + }, + "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.", + "dlgLeaveTitleText": "Usted abandona la aplicación", + "leaveButtonText": "Salir de esta página", + "stayButtonText": "Quedarse en esta página" + }, + "View": { + "Add": { + "errorMaxRows": "¡ERROR! El número máximo de series de datos para un gráfico es 255.", + "errorStockChart": "Orden incorrecto de las filas. Para construir un gráfico de cotizaciones, coloque los datos en la hoja en el siguiente orden:
precio de apertura, precio máximo, precio mínimo, precio de cierre.", + "notcriticalErrorTitle": "Advertencia", + "sCatDateAndTime": "Fecha y hora", + "sCatEngineering": "Ingeniería", + "sCatFinancial": "Financiero", + "sCatInformation": "Información", + "sCatLogical": "Lógico", + "sCatLookupAndReference": "Búsqueda y Referencia", + "sCatMathematic": "Matemáticas y trigonometría", + "sCatStatistical": "Estadístico", + "sCatTextAndData": "Texto y datos", + "textAddLink": "Añadir enlace ", + "textAddress": "Dirección", + "textBack": "Atrás", + "textChart": "Gráfico", + "textComment": "Comentario", + "textDisplay": "Mostrar", + "textEmptyImgUrl": "Necesita especificar la URL de la imagen.", + "textExternalLink": "Enlace externo", + "textFilter": "Filtro", + "textFunction": "Función", + "textGroups": "CATEGORÍAS", + "textImage": "Imagen", + "textImageURL": "URL de imagen", + "textInsert": "Insertar", + "textInsertImage": "Insertar imagen", + "textInternalDataRange": "Rango de datos interno", + "textInvalidRange": "¡ERROR! Rango de celdas no válido", + "textLink": "Enlace", + "textLinkSettings": "Ajustes de enlace", + "textLinkType": "Tipo de enlace", + "textOther": "Otro", + "textPictureFromLibrary": "Imagen desde biblioteca", + "textPictureFromURL": "Imagen desde URL", + "textRange": "Rango", + "textRequired": "Requerido", + "textScreenTip": "Consejo de pantalla", + "textShape": "Forma", + "textSheet": "Hoja", + "textSortAndFilter": "Ordenar y filtrar", + "txtNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"" + }, + "Edit": { + "notcriticalErrorTitle": "Advertencia", + "textAccounting": "Contabilidad", + "textActualSize": "Tamaño actual", + "textAddCustomColor": "Añadir color personalizado", + "textAddress": "Dirección", + "textAlign": "Alinear", + "textAlignBottom": "Alinear hacia abajo", + "textAlignCenter": "Alinear al centro", + "textAlignLeft": "Alinear a la izquierda", + "textAlignMiddle": "Alinear al medio", + "textAlignRight": "Alinear a la derecha", + "textAlignTop": "Alinear hacia arriba", + "textAllBorders": "Todos los bordes", + "textAngleClockwise": "Ángulo descendente", + "textAngleCounterclockwise": "Ángulo ascendente", + "textAuto": "Auto", + "textAxisCrosses": "Cruces de eje", + "textAxisOptions": "Opciones de eje", + "textAxisPosition": "Posición de eje", + "textAxisTitle": "Título de eje", + "textBack": "Atrás", + "textBetweenTickMarks": "Entre marcas de graduación", + "textBillions": "Miles de millones", + "textBorder": "Borde", + "textBorderStyle": "Estilo de borde", + "textBottom": "Abajo ", + "textBottomBorder": "Borde inferior", + "textBringToForeground": "Traer al primer plano", + "textCell": "Celda", + "textCellStyles": "Estilos de celda", + "textCenter": "Centro", + "textChart": "Gráfico", + "textChartTitle": "Título del gráfico", + "textClearFilter": "Borrar filtro", + "textColor": "Color", + "textCross": "Cruz", + "textCrossesValue": "Valor de cruces", + "textCurrency": "Moneda", + "textCustomColor": "Color personalizado", + "textDataLabels": "Etiquetas de datos", + "textDate": "Fecha", + "textDefault": "Rango seleccionado", + "textDeleteFilter": "Eliminar filtro", + "textDesign": "Diseño", + "textDiagonalDownBorder": "Borde diagonal descendente", + "textDiagonalUpBorder": "Borde diagonal ascendente", + "textDisplay": "Mostrar", + "textDisplayUnits": "Unidades de visualización", + "textDollar": "Dólar", + "textEditLink": "Editar enlace", + "textEffects": "Efectos", + "textEmptyImgUrl": "Necesita especificar la URL de la imagen.", + "textEmptyItem": "{Vacías}", + "textErrorMsg": "Usted debe elegir por lo menos un valor", + "textErrorTitle": "Advertencia", + "textEuro": "Euro", + "textExternalLink": "Enlace externo", + "textFill": "Rellenar", + "textFillColor": "Color de relleno", + "textFilterOptions": "Opciones de filtro", + "textFit": "Ajustar al ancho", + "textFonts": "Fuentes", + "textFormat": "Formato", + "textFraction": "Fracción", + "textFromLibrary": "Imagen desde biblioteca", + "textFromURL": "Imagen desde URL", + "textGeneral": "General", + "textGridlines": "Líneas de cuadrícula", + "textHigh": "Alto", + "textHorizontal": "Horizontal ", + "textHorizontalAxis": "Eje horizontal", + "textHorizontalText": "Texto horizontal", + "textHundredMil": "100 000 000", + "textHundreds": "Cientos", + "textHundredThousands": "100 000", + "textHyperlink": "Hiperenlace", + "textImage": "Imagen", + "textImageURL": "URL de imagen", + "textIn": "En", + "textInnerBottom": "Abajo en el interior", + "textInnerTop": "Arriba en el interior", + "textInsideBorders": "Bordes internos", + "textInsideHorizontalBorder": "Borde horizontal interno", + "textInsideVerticalBorder": "Borde vertical interno", + "textInteger": "Entero", + "textInternalDataRange": "Rango de datos interno", + "textInvalidRange": "Rango de celdas no válido", + "textJustified": "Justificado", + "textLabelOptions": "Opciones de etiqueta", + "textLabelPosition": "Posición de etiqueta", + "textLayout": "Diseño", + "textLeft": "A la izquierda", + "textLeftBorder": "Borde izquierdo", + "textLeftOverlay": "Superposición izquierda", + "textLegend": "Leyenda", + "textLink": "Enlace", + "textLinkSettings": "Ajustes de enlace", + "textLinkType": "Tipo de enlace", + "textLow": "Bajo", + "textMajor": "Principal", + "textMajorAndMinor": "Principales y secundarios", + "textMajorType": "Tipo principal", + "textMaximumValue": "Valor máximo", + "textMedium": "Medio", + "textMillions": "Millones", + "textMinimumValue": "Valor mínimo", + "textMinor": "Menor", + "textMinorType": "Tipo menor", + "textMoveBackward": "Mover hacia atrás", + "textMoveForward": "Moverse hacia adelante", + "textNextToAxis": "Junto al eje", + "textNoBorder": "Sin bordes", + "textNone": "Ninguno", + "textNoOverlay": "Sin superposición", + "textNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"", + "textNumber": "Número", + "textOnTickMarks": "Marcas de graduación", + "textOpacity": "Opacidad ", + "textOut": "Fuera", + "textOuterTop": "Arriba en el exterior", + "textOutsideBorders": "Bordes externos", + "textOverlay": "Superposición", + "textPercentage": "Porcentaje", + "textPictureFromLibrary": "Imagen desde biblioteca", + "textPictureFromURL": "Imagen desde URL", + "textPound": "Libra", + "textPt": "pt", + "textRange": "Rango", + "textRemoveChart": "Eliminar gráfico", + "textRemoveImage": "Eliminar imagen", + "textRemoveLink": "Eliminar enlace", + "textRemoveShape": "Eliminar forma", + "textReorder": "Reordenar", + "textReplace": "Reemplazar", + "textReplaceImage": "Reemplazar imagen", + "textRequired": "Requerido", + "textRight": "A la derecha", + "textRightBorder": "Borde derecho", + "textRightOverlay": "Superposición derecha", + "textRotated": "Girado", + "textRotateTextDown": "Girar texto hacia abajo", + "textRotateTextUp": "Girar texto hacia arriba", + "textRouble": "Rublo", + "textScientific": "Scientífico", + "textScreenTip": "Consejo de pantalla", + "textSelectAll": "Seleccionar todo", + "textSelectObjectToEdit": "Seleccionar el objeto para editar", + "textSendToBackground": "Enviar al fondo", + "textSettings": "Ajustes", + "textShape": "Forma", + "textSheet": "Hoja", + "textSize": "Tamaño", + "textStyle": "Estilo", + "textTenMillions": "10 000 000", + "textTenThousands": "10 000", + "textText": "Texto", + "textTextColor": "Color de texto", + "textTextFormat": "Formato de texto", + "textTextOrientation": "Orientación del texto", + "textThick": "Grueso", + "textThin": "Fino", + "textThousands": "Miles", + "textTickOptions": "Parámetros de marcas de graduación", + "textTime": "Hora", + "textTop": "Arriba", + "textTopBorder": "Borde superior", + "textTrillions": "Trillones", + "textType": "Tipo", + "textValue": "Valor", + "textValuesInReverseOrder": "Valores en orden inverso", + "textVertical": "Vertical", + "textVerticalAxis": "Eje vertical", + "textVerticalText": "Texto vertical", + "textWrapText": "Ajustar texto", + "textYen": "Yen", + "txtNotUrl": "Este campo debe ser una dirección URL en el formato \"http://www.example.com\"" + }, + "Settings": { + "advCSVOptions": "Elegir los parámetros de CSV", + "advDRMEnterPassword": "Su contraseña, por favor:", + "advDRMOptions": "Archivo protegido", + "advDRMPassword": "Contraseña", + "closeButtonText": "Cerrar archivo", + "notcriticalErrorTitle": "Advertencia", + "textAbout": "Acerca de", + "textAddress": "Dirección", + "textApplication": "Aplicación", + "textApplicationSettings": "Ajustes de aplicación", + "textAuthor": "Autor", + "textBack": "Atrás", + "textBottom": "Abajo ", + "textByColumns": "Por columnas", + "textByRows": "Por filas", + "textCancel": "Cancelar", + "textCentimeter": "Centímetro", + "textCollaboration": "Colaboración", + "textColorSchemes": "Esquemas de color", + "textComment": "Comentario", + "textCommentingDisplay": "Demostración de comentarios", + "textComments": "Comentarios", + "textCreated": "Creado", + "textCustomSize": "Tamaño personalizado", + "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": "E-mail", + "textEnableAll": "Habilitar todo", + "textEnableAllMacrosWithoutNotification": "Habilitar todas las macros sin notificación ", + "textFind": "Buscar", + "textFindAndReplace": "Buscar y reemplazar", + "textFindAndReplaceAll": "Buscar y reemplazar todo", + "textFormat": "Formato", + "textFormulaLanguage": "Idioma de fórmula", + "textFormulas": "Fórmulas ", + "textHelp": "Ayuda", + "textHideGridlines": "Ocultar líneas de la cuadrícula", + "textHideHeadings": "Ocultar encabezados", + "textHighlightRes": "Resaltar resultados", + "textInch": "Pulgada", + "textLandscape": "Panorama", + "textLastModified": "Última modificación", + "textLastModifiedBy": "Última modificación por", + "textLeft": "A la izquierda", + "textLocation": "Ubicación", + "textLookIn": "Buscar en ", + "textMacrosSettings": "Ajustes de macros", + "textMargins": "Márgenes", + "textMatchCase": "Coincidir mayúsculas y minúsculas", + "textMatchCell": "Hacer coincidir las celdas", + "textNoTextFound": "Texto no encontrado", + "textOpenFile": "Introduzca la contraseña para abrir el archivo", + "textOrientation": "Orientación ", + "textOwner": "Propietario", + "textPoint": "Punto", + "textPortrait": "Vertical", + "textPoweredBy": "Con tecnología de", + "textPrint": "Imprimir", + "textR1C1Style": "Estilo de referencia R1C1", + "textRegionalSettings": "Ajustes regionales", + "textReplace": "Reemplazar", + "textReplaceAll": "Reemplazar todo", + "textResolvedComments": "Comentarios resueltos", + "textRight": "A la derecha", + "textSearch": "Buscar", + "textSearchBy": "Buscar", + "textSearchIn": "Buscar en", + "textSettings": "Ajustes", + "textSheet": "Hoja", + "textShowNotification": "Mostrar notificación", + "textSpreadsheetFormats": "Formatos de hoja de cálculo", + "textSpreadsheetInfo": "Información sobre hoja de cálculo", + "textSpreadsheetSettings": "Ajustes de hoja de cálculo", + "textSpreadsheetTitle": "Título de hoja de cálculo", + "textSubject": "Asunto", + "textTel": "Tel", + "textTitle": "Título", + "textTop": "Arriba", + "textUnitOfMeasurement": "Unidad de medida", + "textUploaded": "Cargado", + "textValues": "Valores", + "textVersion": "Versión ", + "textWorkbook": "Libro de trabajo", + "txtDelimiter": "Delimitador", + "txtEncoding": "Codificación", + "txtIncorrectPwd": "La contraseña es incorrecta", + "txtProtected": "Una vez que se ha introducido la contraseña y abierto el archivo, la contraseña actual del archivo se restablecerá", + "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?" + } + } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/fr.json b/apps/spreadsheeteditor/mobile/locale/fr.json index 011c6b08d..f49873cb9 100644 --- a/apps/spreadsheeteditor/mobile/locale/fr.json +++ b/apps/spreadsheeteditor/mobile/locale/fr.json @@ -1,661 +1,78 @@ { - "Common.Controllers.Collaboration.textAddReply": "Ajouter réponse", - "Common.Controllers.Collaboration.textCancel": "Annuler", - "Common.Controllers.Collaboration.textDeleteComment": "Supprimer commentaire", - "Common.Controllers.Collaboration.textDeleteReply": "Supprimer réponse", - "Common.Controllers.Collaboration.textDone": "Effectué", - "Common.Controllers.Collaboration.textEdit": "Editer", - "Common.Controllers.Collaboration.textEditUser": "Le document est en cours de modification par plusieurs utilisateurs.", - "Common.Controllers.Collaboration.textMessageDeleteComment": "Voulez-vous vraiment supprimer ce commentaire ?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "Voulez-vous vraiment supprimer cette réponse ?", - "Common.Controllers.Collaboration.textReopen": "Rouvrir", - "Common.Controllers.Collaboration.textResolve": "Résoudre", - "Common.Controllers.Collaboration.textYes": "Oui", - "Common.UI.ThemeColorPalette.textCustomColors": "Couleurs personnalisées", - "Common.UI.ThemeColorPalette.textStandartColors": "Couleurs standard", - "Common.UI.ThemeColorPalette.textThemeColors": "Couleurs de thème", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAddReply": "Ajouter réponse", - "Common.Views.Collaboration.textBack": "Retour en arrière", - "Common.Views.Collaboration.textCancel": "Annuler", - "Common.Views.Collaboration.textCollaboration": "Collaboration", - "Common.Views.Collaboration.textDone": "Effectué", - "Common.Views.Collaboration.textEditReply": "Editer réponse", - "Common.Views.Collaboration.textEditUsers": "Utilisateurs", - "Common.Views.Collaboration.textEditСomment": "Editer commentaire", - "Common.Views.Collaboration.textNoComments": "Cette feuille de calcul n'a pas de commentaires", - "Common.Views.Collaboration.textСomments": "Commentaires", - "SSE.Controllers.AddChart.txtDiagramTitle": "Titre du diagramme", - "SSE.Controllers.AddChart.txtSeries": "Série", - "SSE.Controllers.AddChart.txtXAxis": "Axe X", - "SSE.Controllers.AddChart.txtYAxis": "Axe Y", - "SSE.Controllers.AddContainer.textChart": "Diagramme", - "SSE.Controllers.AddContainer.textFormula": "Fonction", - "SSE.Controllers.AddContainer.textImage": "Image", - "SSE.Controllers.AddContainer.textOther": "Autre", - "SSE.Controllers.AddContainer.textShape": "Forme", - "SSE.Controllers.AddLink.notcriticalErrorTitle": "Avertissement", - "SSE.Controllers.AddLink.textInvalidRange": "ERREUR ! Plage de cellules invalide", - "SSE.Controllers.AddLink.txtNotUrl": "Ce champ doit être une URL au format 'http://www.example.com'", - "SSE.Controllers.AddOther.notcriticalErrorTitle": "Avertissement", - "SSE.Controllers.AddOther.textCancel": "Annuler", - "SSE.Controllers.AddOther.textContinue": "Continuer", - "SSE.Controllers.AddOther.textDelete": "Supprimer", - "SSE.Controllers.AddOther.textDeleteDraft": "Voulez-vous vraiment supprimer le brouillon ?", - "SSE.Controllers.AddOther.textEmptyImgUrl": "Spécifiez l'URL de l'image", - "SSE.Controllers.AddOther.txtNotUrl": "Ce champ doit être une URL au format 'http://www.example.com'", - "SSE.Controllers.DocumentHolder.errorCopyCutPaste": "Actions de copie, de coupe et de collage du menu contextuel seront appliquées seulement dans le fichier actuel.", - "SSE.Controllers.DocumentHolder.errorInvalidLink": "Le lien de référence n'existe pas. Veuillez corriger la référence ou la supprimer.", - "SSE.Controllers.DocumentHolder.menuAddComment": "Ajouter commentaire", - "SSE.Controllers.DocumentHolder.menuAddLink": "Ajouter lien", - "SSE.Controllers.DocumentHolder.menuCell": "Cellule", - "SSE.Controllers.DocumentHolder.menuCopy": "Copier", - "SSE.Controllers.DocumentHolder.menuCut": "Couper", - "SSE.Controllers.DocumentHolder.menuDelete": "Supprimer", - "SSE.Controllers.DocumentHolder.menuEdit": "Editer", - "SSE.Controllers.DocumentHolder.menuFreezePanes": "Figer volets", - "SSE.Controllers.DocumentHolder.menuHide": "Masquer", - "SSE.Controllers.DocumentHolder.menuMerge": "Fusionner", - "SSE.Controllers.DocumentHolder.menuMore": "Plus", - "SSE.Controllers.DocumentHolder.menuOpenLink": "Ouvrir le lien", - "SSE.Controllers.DocumentHolder.menuPaste": "Coller", - "SSE.Controllers.DocumentHolder.menuShow": "Afficher", - "SSE.Controllers.DocumentHolder.menuUnfreezePanes": "Libérer les volets", - "SSE.Controllers.DocumentHolder.menuUnmerge": "Annuler la fusion", - "SSE.Controllers.DocumentHolder.menuUnwrap": "Annuler le renvoi", - "SSE.Controllers.DocumentHolder.menuViewComment": "Voir commentaire", - "SSE.Controllers.DocumentHolder.menuWrap": "Renvoi à la ligne", - "SSE.Controllers.DocumentHolder.notcriticalErrorTitle": "Avertissement", - "SSE.Controllers.DocumentHolder.sheetCancel": "Annuler", - "SSE.Controllers.DocumentHolder.textCopyCutPasteActions": "Actions copier, couper et coller", - "SSE.Controllers.DocumentHolder.textDoNotShowAgain": "Ne plus afficher", - "SSE.Controllers.DocumentHolder.warnMergeLostData": "Seulement les données de la cellule supérieure gauche seront conservées dans la cellule fusionnée.
Êtes-vous sûr de vouloir continuer ?", - "SSE.Controllers.EditCell.textAuto": "Auto", - "SSE.Controllers.EditCell.textFonts": "Polices", - "SSE.Controllers.EditCell.textPt": "pt", - "SSE.Controllers.EditChart.errorMaxRows": "ERREUR ! Le nombre maximal de séries de données par diagramme est 255.", - "SSE.Controllers.EditChart.errorStockChart": "Ordre lignes incorrect. Pour créer un diagramme boursier, positionnez vos données sur la feuille de calcul dans l'ordre suivant :
cours à l'ouverture, cours maximal, cours minimal, cours à la clôture.", - "SSE.Controllers.EditChart.textAuto": "Auto", - "SSE.Controllers.EditChart.textBetweenTickMarks": "Entre graduations", - "SSE.Controllers.EditChart.textBillions": "Milliards", - "SSE.Controllers.EditChart.textBottom": "En bas", - "SSE.Controllers.EditChart.textCenter": "Centre", - "SSE.Controllers.EditChart.textCross": "Croisement", - "SSE.Controllers.EditChart.textCustom": "Personnalisé", - "SSE.Controllers.EditChart.textFit": "Ajuster au largeur", - "SSE.Controllers.EditChart.textFixed": "Fixe", - "SSE.Controllers.EditChart.textHigh": "Haut", - "SSE.Controllers.EditChart.textHorizontal": "Horizontal", - "SSE.Controllers.EditChart.textHundredMil": "100 000 000", - "SSE.Controllers.EditChart.textHundreds": "Centaines", - "SSE.Controllers.EditChart.textHundredThousands": "100 000", - "SSE.Controllers.EditChart.textIn": "Dans", - "SSE.Controllers.EditChart.textInnerBottom": "En bas à l'intérieur", - "SSE.Controllers.EditChart.textInnerTop": "En haut à l'intérieur", - "SSE.Controllers.EditChart.textLeft": "Gauche", - "SSE.Controllers.EditChart.textLeftOverlay": "Superposition à gauche", - "SSE.Controllers.EditChart.textLow": "Bas", - "SSE.Controllers.EditChart.textManual": "Manuellement", - "SSE.Controllers.EditChart.textMaxValue": "Valeur maximale", - "SSE.Controllers.EditChart.textMillions": "Millions", - "SSE.Controllers.EditChart.textMinValue": "Valeur minimale", - "SSE.Controllers.EditChart.textNextToAxis": "À côté de l'axe", - "SSE.Controllers.EditChart.textNone": "Aucun", - "SSE.Controllers.EditChart.textNoOverlay": "Sans superposition", - "SSE.Controllers.EditChart.textOnTickMarks": "Graduations", - "SSE.Controllers.EditChart.textOut": "À l'extérieur", - "SSE.Controllers.EditChart.textOuterTop": "En haut à l'extérieur", - "SSE.Controllers.EditChart.textOverlay": "Superposition", - "SSE.Controllers.EditChart.textRight": "À droite", - "SSE.Controllers.EditChart.textRightOverlay": "Superposition à droite", - "SSE.Controllers.EditChart.textRotated": "Incliné", - "SSE.Controllers.EditChart.textTenMillions": "10 000 000", - "SSE.Controllers.EditChart.textTenThousands": "10 000", - "SSE.Controllers.EditChart.textThousands": "Milliers", - "SSE.Controllers.EditChart.textTop": "En haut", - "SSE.Controllers.EditChart.textTrillions": "Trillions", - "SSE.Controllers.EditChart.textValue": "Valeur", - "SSE.Controllers.EditContainer.textCell": "Cellule", - "SSE.Controllers.EditContainer.textChart": "Diagramme", - "SSE.Controllers.EditContainer.textHyperlink": "Lien hypertexte", - "SSE.Controllers.EditContainer.textImage": "Image", - "SSE.Controllers.EditContainer.textSettings": "Paramètres", - "SSE.Controllers.EditContainer.textShape": "Forme", - "SSE.Controllers.EditContainer.textTable": "Tableau", - "SSE.Controllers.EditContainer.textText": "Texte", - "SSE.Controllers.EditHyperlink.notcriticalErrorTitle": "Avertissement", - "SSE.Controllers.EditHyperlink.textDefault": "Plage sélectionnée", - "SSE.Controllers.EditHyperlink.textEmptyImgUrl": "Spécifiez l'URL de l'image", - "SSE.Controllers.EditHyperlink.textExternalLink": "Lien externe", - "SSE.Controllers.EditHyperlink.textInternalLink": "Plage de données interne", - "SSE.Controllers.EditHyperlink.textInvalidRange": "Plage de cellules non valide", - "SSE.Controllers.EditHyperlink.txtNotUrl": "Ce champ doit contenir une URL au format \"http://www.example.com\"", - "SSE.Controllers.EditImage.notcriticalErrorTitle": "Avertissement", - "SSE.Controllers.EditImage.textEmptyImgUrl": "Specifiez URL d'image", - "SSE.Controllers.EditImage.txtNotUrl": "Ce champ doit être une URL au format 'http://www.exemple.com'", - "SSE.Controllers.FilterOptions.textEmptyItem": "{Blancs}", - "SSE.Controllers.FilterOptions.textErrorMsg": "Vous devez choisir au moins une valeur", - "SSE.Controllers.FilterOptions.textErrorTitle": "Avertissement", - "SSE.Controllers.FilterOptions.textSelectAll": "Sélectionner tout", - "SSE.Controllers.Main.advCSVOptions": "Choisir options CSV", - "SSE.Controllers.Main.advDRMEnterPassword": "Entrez votre mot de passe:", - "SSE.Controllers.Main.advDRMOptions": "Fichier protégé", - "SSE.Controllers.Main.advDRMPassword": "Mot de passe", - "SSE.Controllers.Main.applyChangesTextText": "Chargement des données...", - "SSE.Controllers.Main.applyChangesTitleText": "Chargement des données", - "SSE.Controllers.Main.closeButtonText": "Fermer fichier", - "SSE.Controllers.Main.convertationTimeoutText": "Délai d'attente de la conversion dépassé ", - "SSE.Controllers.Main.criticalErrorExtText": "Appuyez sur OK pour revenir à la liste des documents.", - "SSE.Controllers.Main.criticalErrorTitle": "Erreur", - "SSE.Controllers.Main.downloadErrorText": "Téléchargement echoué.", - "SSE.Controllers.Main.downloadMergeText": "Téléchargement en cours...", - "SSE.Controllers.Main.downloadMergeTitle": "Téléchargement en cours", - "SSE.Controllers.Main.downloadTextText": "Téléchargement feuille de calcul en cours...", - "SSE.Controllers.Main.downloadTitleText": "Téléchargement feuille de calcul en cours", - "SSE.Controllers.Main.errorAccessDeny": "Vous tentez d'exéсuter une action pour laquelle vous ne disposez pas des droits.
Veuillez contacter l'administrateur de Document Server.", - "SSE.Controllers.Main.errorArgsRange": "Erreur dans la formule entrée.
La plage des arguments utilisée est incorrecte.", - "SSE.Controllers.Main.errorAutoFilterChange": "L'opération n'est pas autorisée, car elle tente de déplacer les cellules d'un tableau de votre feuille de calcul.", - "SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "Impossible de réaliser l'opération sur les cellules sélectionnées car vous ne pouvez pas déplacer une partie du tableau.
Sélectionnez une autre plage de données afin que tout le tableau soit déplacé et essayez à nouveau.", - "SSE.Controllers.Main.errorAutoFilterDataRange": "Impossible de réaliser l'opération sur la plage de cellules spécifiée.
Sélectionnez la plage de données différente de la plage existante et essayez à nouveau.", - "SSE.Controllers.Main.errorAutoFilterHiddenRange": "L'opération ne peut pas être effectuée car la zone contient des cellules filtrées.
Veuillez afficher des éléments filtrés et réessayez.", - "SSE.Controllers.Main.errorBadImageUrl": "URL image incorrecte", - "SSE.Controllers.Main.errorChangeArray": "Vous ne pouvez pas modifier des parties d'une tableau. ", - "SSE.Controllers.Main.errorCoAuthoringDisconnect": "La connexion au serveur perdue. Désolé, vous ne pouvez plus modifier le document.", - "SSE.Controllers.Main.errorConnectToServer": "Impossible d'enregistrer le 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.", - "SSE.Controllers.Main.errorCopyMultiselectArea": "Impossible d'exécuter cette commande sur des sélections multiples.
Sélectionnez une seule plage et essayez à nouveau.", - "SSE.Controllers.Main.errorCountArg": "Erreur dans la formule entrée.
Le nombre d'arguments utilisé est incorrect.", - "SSE.Controllers.Main.errorCountArgExceed": "Erreur dans la formule entrée.
Le nombre d'arguments a été dépassé.", - "SSE.Controllers.Main.errorCreateDefName": "Actuellement, des plages nommées existantes ne peuvent pas être modifiées et les nouvelles ne peuvent pas être créées,
car certaines d'entre eux sont en cours de modification.", - "SSE.Controllers.Main.errorDatabaseConnection": "Erreur externe.
Erreur de connexion base de données. Contactez l'assistance technique si le problême persiste.", - "SSE.Controllers.Main.errorDataEncrypted": "Modifications encodées reçues, mais ne peuvent pas être déchiffrées.", - "SSE.Controllers.Main.errorDataRange": "Plage de données incorrecte.", - "SSE.Controllers.Main.errorDataValidate": "La valeur saisie est incorrecte.
Un utilisateur a restreint les valeurs pouvant être saisies dans cette cellule.", - "SSE.Controllers.Main.errorDefaultMessage": "Code d'erreur : %1", - "SSE.Controllers.Main.errorEditingDownloadas": "Une erreure s'est produite lors du travail sur le document.
Utilisez l'option « Télécharger » pour enregistrer une copie de sauvegarde sur le disque dur de votre système.", - "SSE.Controllers.Main.errorFilePassProtect": "Le fichier est protégé par le mot de passe et ne peut pas être ouvert.", - "SSE.Controllers.Main.errorFileRequest": "Erreur externe.
Erreur de demande de fichier. Contactez l'assistance technique si le problème persiste.", - "SSE.Controllers.Main.errorFileSizeExceed": "La taille du fichier dépasse les limites établies sur votre serveur.
Veuillez contacter votre administrateur de Document Server pour obtenir plus d'information. ", - "SSE.Controllers.Main.errorFileVKey": "Erreur externe.
Clé de sécurité incorrecte. Contactez l'assistance technique si le problème persiste.", - "SSE.Controllers.Main.errorFillRange": "Impossible de remplir la plage de cellules sélectionnée.
Toutes les cellules fusionnées doivent être de la même taille.", - "SSE.Controllers.Main.errorFormulaName": "Erreur dans la formule entrée.
Le nom de formule utilisé est incorrect.", - "SSE.Controllers.Main.errorFormulaParsing": "Une erreur interne lors de l'analyse de la formule.", - "SSE.Controllers.Main.errorFrmlMaxLength": "Vous ne pouvez pas ajouter cette formule car sa longueur dépasse le nombre de caractères autorisés
Merci de modifier la formule et d'essayer à nouveau. ", - "SSE.Controllers.Main.errorFrmlMaxReference": "Vous ne pouvez pas saisir cette formule parce qu'elle est trop longues, ou contient
références de cellules, et/ou noms. ", - "SSE.Controllers.Main.errorFrmlMaxTextLength": "Les valeurs de texte dans les formules sont limitées à 255 caractères.
Utilisez la fonction CONCATENER ou l’opérateur de concaténation (&).", - "SSE.Controllers.Main.errorFrmlWrongReferences": "La fonction fait référence à une feuille qui n'existe pas.
Veuillez vérifier les données et réessayez.", - "SSE.Controllers.Main.errorInvalidRef": "Entrez un nom correct pour la sélection ou une référence valable à laquelle aller.", - "SSE.Controllers.Main.errorKeyEncrypt": "Descripteur de clés inconnu", - "SSE.Controllers.Main.errorKeyExpire": "Descripteur de clés expiré", - "SSE.Controllers.Main.errorLockedAll": "L'opération ne peut pas être faite car la feuille a été verrouillée par un autre utilisateur.", - "SSE.Controllers.Main.errorLockedCellPivot": "Impossible de modifier les données d'un tableau croisé dynamique.", - "SSE.Controllers.Main.errorLockedWorksheetRename": "La feuille ne peut pas être renommée pour l'instant puisque elle est renommée par un autre utilisateur", - "SSE.Controllers.Main.errorMailMergeLoadFile": "Échec du chargement. Merci de choisir un autre fichier", - "SSE.Controllers.Main.errorMailMergeSaveFile": "Fusion a échoué.", - "SSE.Controllers.Main.errorMaxPoints": "Le nombre maximal de points par graphique est 4096.", - "SSE.Controllers.Main.errorMoveRange": "Impossible de modifier une partie d'une cellule fusionnée", - "SSE.Controllers.Main.errorMultiCellFormula": "Formules de tableau plusieurs cellules ne sont pas autorisées dans les classeurs.", - "SSE.Controllers.Main.errorOpensource": "L'utilisation la version gratuite \"Community version\" permet uniquement la visualisation des documents. Pour avoir accès à l'édition sur mobile, une version commerciale est nécessaire.", - "SSE.Controllers.Main.errorOpenWarning": "La longueur de l'une des formules dans le fichier a dépassé
le nombre de caractères autorisé, et la formule a été supprimée.", - "SSE.Controllers.Main.errorOperandExpected": "La syntaxe de la saisie est incorrecte. Veuillez vérifier la présence de l'une des parenthèses - '(' ou ')'.", - "SSE.Controllers.Main.errorPasteMaxRange": "La zone de copie ne correspond pas à la zone de collage.
Sélectionnez une zone avec la même taille ou cliquez sur la première cellule d'une ligne pour coller les cellules sélectionnées.", - "SSE.Controllers.Main.errorPrintMaxPagesCount": "Malheureusement, il n’est pas possible d’imprimer plus de 1500 pages à la fois en utilisant la version actuelle du programme.
Cette restriction sera supprimée dans les versions futures.", - "SSE.Controllers.Main.errorProcessSaveResult": "Échec de l'enregistrement", - "SSE.Controllers.Main.errorServerVersion": "La version de l'éditeur a été mise à jour. La page sera rechargée pour appliquer les modifications.", - "SSE.Controllers.Main.errorSessionAbsolute": "Votre session a expiré. Veuillez recharger la page.", - "SSE.Controllers.Main.errorSessionIdle": "Le document n'a pas été modifié depuis trop longtemps. Veuillez recharger la page.", - "SSE.Controllers.Main.errorSessionToken": "La connexion au serveur a été interrompue. Veuillez recharger la page.", - "SSE.Controllers.Main.errorStockChart": "Ordre lignes incorrect. Pour créer un diagramme boursier, positionnez les données sur la feuille de calcul dans l'ordre suivant :
cours à l'ouverture, cours maximal, cours minimal, cours à la clôture.", - "SSE.Controllers.Main.errorToken": "Le jeton de sécurité du document n’était pas formé correctement.
Veuillez contacter l'administrateur de Document Server.", - "SSE.Controllers.Main.errorTokenExpire": "Le jeton de sécurité du document a expiré.
Veuillez contactez l'administrateur de Document Server.", - "SSE.Controllers.Main.errorUnexpectedGuid": "Erreur externe.
GUID imprévue. Contactez l'assistance technique si le problème persiste.", - "SSE.Controllers.Main.errorUpdateVersion": "La version du fichier a été changée. La page sera rechargée.", - "SSE.Controllers.Main.errorUpdateVersionOnDisconnect": "La connexion internet a été rétablie, la version du fichier est modifiée.
Avant de continuer, téléchargez le fichier ou copiez le contenu pour vous assurer que tous les changements ont été enregistrés, et rechargez la page.", - "SSE.Controllers.Main.errorUserDrop": "Impossible d'accéder au fichier.", - "SSE.Controllers.Main.errorUsersExceed": "Le nombre d'utilisateurs autorisés par le plan tarifaire a été dépassé", - "SSE.Controllers.Main.errorViewerDisconnect": "Connexion perdue. le document peut être affiché tout de même,
mais ne pourra pas être téléсhargé sans que la connexion soit restaurée et la page rafraichie.", - "SSE.Controllers.Main.errorWrongBracketsCount": "Erreur dans la formule entrée.
Le nombre de crochets utilisé est incorrect.", - "SSE.Controllers.Main.errorWrongOperator": "Erreur dans la formule entrée. Opérateur incorrect utilisé.
Veuillez corriger l'erreur.", - "SSE.Controllers.Main.leavePageText": "Vous avez des modifications non enregistrées dans ce document. Cliquez sur 'Rester sur cette page' pour la sauvegarde automatique du document. Cliquez sur 'Quitter cette Page' pour ignorer toutes les modifications non enregistrées.", - "SSE.Controllers.Main.loadFontsTextText": "Chargement des données...", - "SSE.Controllers.Main.loadFontsTitleText": "Chargement des données", - "SSE.Controllers.Main.loadFontTextText": "Chargement des données...", - "SSE.Controllers.Main.loadFontTitleText": "Chargement des données", - "SSE.Controllers.Main.loadImagesTextText": "Chargement des images...", - "SSE.Controllers.Main.loadImagesTitleText": "Chargement des images", - "SSE.Controllers.Main.loadImageTextText": "Chargement d'une image...", - "SSE.Controllers.Main.loadImageTitleText": "Chargement d'une image", - "SSE.Controllers.Main.loadingDocumentTextText": "Chargement feuille de calcul...", - "SSE.Controllers.Main.loadingDocumentTitleText": "Chargement feuille de calcul", - "SSE.Controllers.Main.mailMergeLoadFileText": "Chargement de la source des données...", - "SSE.Controllers.Main.mailMergeLoadFileTitle": "Chargement de la source des données", - "SSE.Controllers.Main.notcriticalErrorTitle": "Avertissement", - "SSE.Controllers.Main.openErrorText": "Une erreur s’est produite lors de l’ouverture du fichier", - "SSE.Controllers.Main.openTextText": "Ouverture du document...", - "SSE.Controllers.Main.openTitleText": "Ouverture du document", - "SSE.Controllers.Main.pastInMergeAreaError": "Impossible de modifier une partie d'une cellule fusionnée", - "SSE.Controllers.Main.printTextText": "Impression du document...", - "SSE.Controllers.Main.printTitleText": "Impression du document", - "SSE.Controllers.Main.reloadButtonText": "Recharger la page", - "SSE.Controllers.Main.requestEditFailedMessageText": "Quelqu'un est en train de modifier ce document. Veuillez réessayer plus tard.", - "SSE.Controllers.Main.requestEditFailedTitleText": "Accès refusé", - "SSE.Controllers.Main.saveErrorText": "Une erreur s'est produite lors de l'enregistrement du fichier", - "SSE.Controllers.Main.savePreparingText": "Préparation à l'enregistrement ", - "SSE.Controllers.Main.savePreparingTitle": "Préparation à l'enregistrement en cours. Veuillez patienter...", - "SSE.Controllers.Main.saveTextText": "Enregistrement du document...", - "SSE.Controllers.Main.saveTitleText": "Enregistrement du document", - "SSE.Controllers.Main.scriptLoadError": "La connexion est trop lente, certains éléments ne peuvent pas être chargés. Veuillez recharger la page.", - "SSE.Controllers.Main.sendMergeText": "Envoie du résultat de la fusion...", - "SSE.Controllers.Main.sendMergeTitle": "Envoie du résultat de la fusion", - "SSE.Controllers.Main.textAnonymous": "Anonyme", - "SSE.Controllers.Main.textBack": "Retour en arrière", - "SSE.Controllers.Main.textBuyNow": "Visiter le site web", - "SSE.Controllers.Main.textCancel": "Annuler", - "SSE.Controllers.Main.textClose": "Fermer", - "SSE.Controllers.Main.textContactUs": "Contacter l'équipe de ventes", - "SSE.Controllers.Main.textCustomLoader": "Veuillez noter que conformément aux clauses du contrat de licence vous n'êtes pas autorisé à changer le chargeur.
Veuillez contacter notre Service des Ventes pour obtenir le devis.", - "SSE.Controllers.Main.textDone": "Effectué", - "SSE.Controllers.Main.textGuest": "Invité", - "SSE.Controllers.Main.textHasMacros": "Le fichier contient des macros automatiques.
Voulez-vous exécuter les macros ?", - "SSE.Controllers.Main.textLoadingDocument": "Chargement feuille de calcul", - "SSE.Controllers.Main.textNo": "Non", - "SSE.Controllers.Main.textNoLicenseTitle": "La limite de la licence est atteinte", - "SSE.Controllers.Main.textOK": "OK", - "SSE.Controllers.Main.textPaidFeature": "Fonction payée", - "SSE.Controllers.Main.textPassword": "Mot de passe", - "SSE.Controllers.Main.textPreloader": "Chargement en cours...", - "SSE.Controllers.Main.textRemember": "Se souvenir de mon choix", - "SSE.Controllers.Main.textShape": "Forme", - "SSE.Controllers.Main.textStrict": "Mode strict", - "SSE.Controllers.Main.textTryUndoRedo": "Les fonctions annuler/rétablir sont désactivées pour le mode de la co-édition rapide.
Cliquez sur le bouton \"Mode strict\" pour passer au mode de la co-édition stricte pour modifier le fichier sans interférence des autres utilisateurs et envoyer vos modifications seulement après leur enregistrement. Vous pouvez basculer entre les modes de la co-édition à l'aide des paramètres avancés de l'éditeur.", - "SSE.Controllers.Main.textUsername": "Nom d'utilisateur", - "SSE.Controllers.Main.textYes": "Oui", - "SSE.Controllers.Main.titleLicenseExp": "Licence expirée", - "SSE.Controllers.Main.titleServerVersion": "Editeur mis à jour", - "SSE.Controllers.Main.titleUpdateVersion": "La version a été modifiée", - "SSE.Controllers.Main.txtAccent": "Accent", - "SSE.Controllers.Main.txtArt": "Entrez votre texte", - "SSE.Controllers.Main.txtBasicShapes": "Formes de base", - "SSE.Controllers.Main.txtButtons": "Boutons", - "SSE.Controllers.Main.txtCallouts": "Légendes", - "SSE.Controllers.Main.txtCharts": "Diagrammes", - "SSE.Controllers.Main.txtDelimiter": "Délimiteur", - "SSE.Controllers.Main.txtDiagramTitle": "Titre du diagramme", - "SSE.Controllers.Main.txtEditingMode": "Définition du mode d'édition...", - "SSE.Controllers.Main.txtEncoding": "Encodage ", - "SSE.Controllers.Main.txtErrorLoadHistory": "Échec du chargement de l'historique", - "SSE.Controllers.Main.txtFiguredArrows": "Flèches figurées", - "SSE.Controllers.Main.txtLines": "Lignes", - "SSE.Controllers.Main.txtMath": "Maths", - "SSE.Controllers.Main.txtProtected": "Une fois le mot de passe saisi et le ficher ouvert, le mot de passe actuel sera réinitialisé", - "SSE.Controllers.Main.txtRectangles": "Rectangles", - "SSE.Controllers.Main.txtSeries": "Série", - "SSE.Controllers.Main.txtSpace": "Espace", - "SSE.Controllers.Main.txtStarsRibbons": "Étoiles et rubans", - "SSE.Controllers.Main.txtStyle_Bad": "Incorrect", - "SSE.Controllers.Main.txtStyle_Calculation": "Calcul", - "SSE.Controllers.Main.txtStyle_Check_Cell": "Vérifier cellule", - "SSE.Controllers.Main.txtStyle_Comma": "Virgule", - "SSE.Controllers.Main.txtStyle_Currency": "Devise", - "SSE.Controllers.Main.txtStyle_Explanatory_Text": "Texte explicatif", - "SSE.Controllers.Main.txtStyle_Good": "Correct", - "SSE.Controllers.Main.txtStyle_Heading_1": "Titre 1", - "SSE.Controllers.Main.txtStyle_Heading_2": "Titre 2", - "SSE.Controllers.Main.txtStyle_Heading_3": "Titre 3", - "SSE.Controllers.Main.txtStyle_Heading_4": "Titre 4", - "SSE.Controllers.Main.txtStyle_Input": "Entrée", - "SSE.Controllers.Main.txtStyle_Linked_Cell": "Cellule liée", - "SSE.Controllers.Main.txtStyle_Neutral": "Neutre", - "SSE.Controllers.Main.txtStyle_Normal": "Normal", - "SSE.Controllers.Main.txtStyle_Note": "Remarque", - "SSE.Controllers.Main.txtStyle_Output": "Sortie", - "SSE.Controllers.Main.txtStyle_Percent": "Pourcentage", - "SSE.Controllers.Main.txtStyle_Title": "Titre", - "SSE.Controllers.Main.txtStyle_Total": "Total", - "SSE.Controllers.Main.txtStyle_Warning_Text": "Texte d'avertissement", - "SSE.Controllers.Main.txtTab": "Tabulation", - "SSE.Controllers.Main.txtXAxis": "Axe X", - "SSE.Controllers.Main.txtYAxis": "Axe Y", - "SSE.Controllers.Main.unknownErrorText": "Erreur inconnue.", - "SSE.Controllers.Main.unsupportedBrowserErrorText": "Votre navigateur n'est pas pris en charge.", - "SSE.Controllers.Main.uploadImageExtMessage": "Format d'image inconnu.", - "SSE.Controllers.Main.uploadImageFileCountMessage": "Aucune image chargée.", - "SSE.Controllers.Main.uploadImageSizeMessage": "La taille de l'image dépasse la limite maximale.", - "SSE.Controllers.Main.uploadImageTextText": "Chargement d'une image en cours...", - "SSE.Controllers.Main.uploadImageTitleText": "Chargement d'une image", - "SSE.Controllers.Main.waitText": "Veuillez patienter...", - "SSE.Controllers.Main.warnLicenseExceeded": "Vous avez dépassé le nombre maximal de connexions simultanées aux éditeurs %1. Ce document sera ouvert à la lecture seulement.
Contactez votre administrateur pour en savoir davantage.", - "SSE.Controllers.Main.warnLicenseExp": "Votre licence a expiré.
Veuillez mettre à jour votre licence et actualisez la page.", - "SSE.Controllers.Main.warnLicenseLimitedNoAccess": "La licence est expirée.
Vous n'avez plus d'accès aux outils d'édition.
Veuillez contacter votre administrateur.", - "SSE.Controllers.Main.warnLicenseLimitedRenewed": "Il est indispensable de renouveler la licence.
Vous avez un accès limité aux outils d'édition des documents.
Veuillez contacter votre administrateur pour obtenir un accès complet", - "SSE.Controllers.Main.warnLicenseUsersExceeded": "Vous avez dépassé le nombre maximal d’utilisateurs des éditeurs %1. Contactez votre administrateur pour en savoir davantage.", - "SSE.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.", - "SSE.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.", - "SSE.Controllers.Main.warnProcessRightsChange": "Le droit d'édition du fichier vous a été refusé.", - "SSE.Controllers.Search.textNoTextFound": "Le texte est introuvable", - "SSE.Controllers.Search.textReplaceAll": "Remplacer tout", - "SSE.Controllers.Settings.notcriticalErrorTitle": "Avertissement", - "SSE.Controllers.Settings.txtDe": "Allemand", - "SSE.Controllers.Settings.txtEn": "Anglais", - "SSE.Controllers.Settings.txtEs": "Espanol", - "SSE.Controllers.Settings.txtFr": "Français", - "SSE.Controllers.Settings.txtIt": "Italien", - "SSE.Controllers.Settings.txtPl": "Polonais", - "SSE.Controllers.Settings.txtRu": "Russe", - "SSE.Controllers.Settings.warnDownloadAs": "Si vous enregistrez dans ce format, seulement le texte sera conservé.
Voulez-vous vraiment continuer ?", - "SSE.Controllers.Statusbar.cancelButtonText": "Annuler", - "SSE.Controllers.Statusbar.errNameExists": "Feuulle de travail portant ce nom existe déjà.", - "SSE.Controllers.Statusbar.errNameWrongChar": "Le nom d'une feuille ne peut pas contenir les caractères suivants: \\ / * ? [ ] :", - "SSE.Controllers.Statusbar.errNotEmpty": "Le nom de feuille ne peut pas être vide. ", - "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.menuDelete": "Supprimer", - "SSE.Controllers.Statusbar.menuDuplicate": "Dupliquer", - "SSE.Controllers.Statusbar.menuHide": "Masquer", - "SSE.Controllers.Statusbar.menuMore": "Davantage", - "SSE.Controllers.Statusbar.menuRename": "Renommer", - "SSE.Controllers.Statusbar.menuUnhide": "Afficher", - "SSE.Controllers.Statusbar.notcriticalErrorTitle": "Alerte", - "SSE.Controllers.Statusbar.strRenameSheet": "Renommer la feuille", - "SSE.Controllers.Statusbar.strSheet": "Feuille", - "SSE.Controllers.Statusbar.strSheetName": "Nom de la feuille", - "SSE.Controllers.Statusbar.textExternalLink": "Lien externe", - "SSE.Controllers.Statusbar.warnDeleteSheet": "Une feuille de calcul peut contenir des données. Continuer l'opération ?", - "SSE.Controllers.Toolbar.dlgLeaveMsgText": "Vous avez des modifications non enregistrées dans ce document. Cliquez sur 'Rester sur cette page' pour la sauvegarde automatique du document. Cliquez sur 'Quitter cette page' pour ignorer toutes les modifications non enregistrées.", - "SSE.Controllers.Toolbar.dlgLeaveTitleText": "Vous quittez l'application", - "SSE.Controllers.Toolbar.leaveButtonText": "Quitter cette page", - "SSE.Controllers.Toolbar.stayButtonText": "Rester sur cette page", - "SSE.Views.AddFunction.sCatDateAndTime": "Date et heure", - "SSE.Views.AddFunction.sCatEngineering": "Ingénierie", - "SSE.Views.AddFunction.sCatFinancial": "Financier", - "SSE.Views.AddFunction.sCatInformation": "Information", - "SSE.Views.AddFunction.sCatLogical": "Logical", - "SSE.Views.AddFunction.sCatLookupAndReference": "Recherche et référence", - "SSE.Views.AddFunction.sCatMathematic": "Maths et trigonométrie", - "SSE.Views.AddFunction.sCatStatistical": "Statistiques", - "SSE.Views.AddFunction.sCatTextAndData": "Texte et données", - "SSE.Views.AddFunction.textBack": "Retour en arrière", - "SSE.Views.AddFunction.textGroups": "Catégories", - "SSE.Views.AddLink.textAddLink": "Ajouter lien", - "SSE.Views.AddLink.textAddress": "Adresse", - "SSE.Views.AddLink.textDisplay": "Affichage", - "SSE.Views.AddLink.textExternalLink": "Lien externe", - "SSE.Views.AddLink.textInsert": "Insérer", - "SSE.Views.AddLink.textInternalLink": "Plage de données interne", - "SSE.Views.AddLink.textLink": "Lien", - "SSE.Views.AddLink.textLinkType": "Type de lien", - "SSE.Views.AddLink.textRange": "Plage", - "SSE.Views.AddLink.textRequired": "Requis", - "SSE.Views.AddLink.textSelectedRange": "Plage sélectionnée", - "SSE.Views.AddLink.textSheet": "Feuille", - "SSE.Views.AddLink.textTip": "Info-bulle", - "SSE.Views.AddOther.textAddComment": "Ajouter commentaire", - "SSE.Views.AddOther.textAddress": "Adresse", - "SSE.Views.AddOther.textBack": "Retour", - "SSE.Views.AddOther.textComment": "Commentaire", - "SSE.Views.AddOther.textDone": "Effectué", - "SSE.Views.AddOther.textFilter": "Filtre", - "SSE.Views.AddOther.textFromLibrary": "Image de la bibliothèque", - "SSE.Views.AddOther.textFromURL": "Image à partir d'une URL", - "SSE.Views.AddOther.textImageURL": "URL image", - "SSE.Views.AddOther.textInsert": "Insérer", - "SSE.Views.AddOther.textInsertImage": "Insérer une image", - "SSE.Views.AddOther.textLink": "Lien", - "SSE.Views.AddOther.textLinkSettings": "Paramètres de lien", - "SSE.Views.AddOther.textSort": "Trier et filtrer", - "SSE.Views.EditCell.textAccounting": "Comptabilité", - "SSE.Views.EditCell.textAddCustomColor": "Ajouter couleur personnalisée", - "SSE.Views.EditCell.textAlignBottom": "Aligner en bas", - "SSE.Views.EditCell.textAlignCenter": "Aligner au centre", - "SSE.Views.EditCell.textAlignLeft": "Aligner à gauche", - "SSE.Views.EditCell.textAlignMiddle": "Aligner au milieu", - "SSE.Views.EditCell.textAlignRight": "Aligner à droite", - "SSE.Views.EditCell.textAlignTop": "Aligner en haut", - "SSE.Views.EditCell.textAllBorders": "Toutes les bordures", - "SSE.Views.EditCell.textAngleClockwise": "Rotation dans le sens des aiguilles d'une montre", - "SSE.Views.EditCell.textAngleCounterclockwise": "Rotation dans le sens inverse des aiguilles d'une montre", - "SSE.Views.EditCell.textBack": "Retour", - "SSE.Views.EditCell.textBorderStyle": "Style de bordure", - "SSE.Views.EditCell.textBottomBorder": "Bordure inférieure", - "SSE.Views.EditCell.textCellStyle": "Styles cellule", - "SSE.Views.EditCell.textCharacterBold": "B", - "SSE.Views.EditCell.textCharacterItalic": "I", - "SSE.Views.EditCell.textCharacterUnderline": "U", - "SSE.Views.EditCell.textColor": "Couleur", - "SSE.Views.EditCell.textCurrency": "Devise", - "SSE.Views.EditCell.textCustomColor": "Couleur personnalisée", - "SSE.Views.EditCell.textDate": "Date", - "SSE.Views.EditCell.textDiagDownBorder": "Bordure diagonale vers le bas", - "SSE.Views.EditCell.textDiagUpBorder": "Bordure diagonale vers le haut", - "SSE.Views.EditCell.textDollar": "Dollar", - "SSE.Views.EditCell.textEuro": "Euro", - "SSE.Views.EditCell.textFillColor": "Couleur remplissage", - "SSE.Views.EditCell.textFonts": "Polices", - "SSE.Views.EditCell.textFormat": "Format", - "SSE.Views.EditCell.textGeneral": "Général", - "SSE.Views.EditCell.textHorizontalText": "Texte horizontal", - "SSE.Views.EditCell.textInBorders": "Bordures intérieures", - "SSE.Views.EditCell.textInHorBorder": "Bordure intérieure horizontale", - "SSE.Views.EditCell.textInteger": "Entier", - "SSE.Views.EditCell.textInVertBorder": "Bordure intérieure verticale", - "SSE.Views.EditCell.textJustified": "Justifié", - "SSE.Views.EditCell.textLeftBorder": "Bordure gauche", - "SSE.Views.EditCell.textMedium": "Moyen", - "SSE.Views.EditCell.textNoBorder": "Sans bordures", - "SSE.Views.EditCell.textNumber": "Numérique", - "SSE.Views.EditCell.textPercentage": "Pourcentage", - "SSE.Views.EditCell.textPound": "Livre", - "SSE.Views.EditCell.textRightBorder": "Bordure droite", - "SSE.Views.EditCell.textRotateTextDown": "Rotation du texte vers le bas", - "SSE.Views.EditCell.textRotateTextUp": "Rotation du texte vers le haut", - "SSE.Views.EditCell.textRouble": "Rouble", - "SSE.Views.EditCell.textScientific": "Scientifique", - "SSE.Views.EditCell.textSize": "Taille", - "SSE.Views.EditCell.textText": "Texte", - "SSE.Views.EditCell.textTextColor": "Couleur du texte", - "SSE.Views.EditCell.textTextFormat": "Format du texte", - "SSE.Views.EditCell.textTextOrientation": "Orientation texte", - "SSE.Views.EditCell.textThick": "Épaisses", - "SSE.Views.EditCell.textThin": "Fines", - "SSE.Views.EditCell.textTime": "Heure", - "SSE.Views.EditCell.textTopBorder": "Bordure supérieure", - "SSE.Views.EditCell.textVerticalText": "Texte vertical", - "SSE.Views.EditCell.textWrapText": "Envelopper le texte ", - "SSE.Views.EditCell.textYen": "Yen", - "SSE.Views.EditChart.textAddCustomColor": "Ajouter couleur personnalisée", - "SSE.Views.EditChart.textAuto": "Auto", - "SSE.Views.EditChart.textAxisCrosses": "Croisements de l'axe", - "SSE.Views.EditChart.textAxisOptions": "Options d'axe", - "SSE.Views.EditChart.textAxisPosition": "Position de l'axe", - "SSE.Views.EditChart.textAxisTitle": "Titre de l’axe", - "SSE.Views.EditChart.textBack": "Retour en arrière", - "SSE.Views.EditChart.textBackward": "Déplacer vers l'arrière", - "SSE.Views.EditChart.textBorder": "Bordure", - "SSE.Views.EditChart.textBottom": "En bas", - "SSE.Views.EditChart.textChart": "Diagramme", - "SSE.Views.EditChart.textChartTitle": "Titre du diagramme", - "SSE.Views.EditChart.textColor": "Couleur", - "SSE.Views.EditChart.textCrossesValue": "Valeur croisements", - "SSE.Views.EditChart.textCustomColor": "Couleur personnalisée", - "SSE.Views.EditChart.textDataLabels": "Libellés de données", - "SSE.Views.EditChart.textDesign": "Stylique", - "SSE.Views.EditChart.textDisplayUnits": "Unités affichage", - "SSE.Views.EditChart.textFill": "Remplissage", - "SSE.Views.EditChart.textForward": "Déplacer vers l'avant", - "SSE.Views.EditChart.textGridlines": "Quadrillage", - "SSE.Views.EditChart.textHorAxis": "Axe horizontal", - "SSE.Views.EditChart.textHorizontal": "Horizontal", - "SSE.Views.EditChart.textLabelOptions": "Options d'étiquettes", - "SSE.Views.EditChart.textLabelPos": "Position de l'étiquette", - "SSE.Views.EditChart.textLayout": "Disposition", - "SSE.Views.EditChart.textLeft": "Gauche", - "SSE.Views.EditChart.textLeftOverlay": "Superposition à gauche", - "SSE.Views.EditChart.textLegend": "Légende", - "SSE.Views.EditChart.textMajor": "Principal", - "SSE.Views.EditChart.textMajorMinor": "Principales et secondaires ", - "SSE.Views.EditChart.textMajorType": "Type principal", - "SSE.Views.EditChart.textMaxValue": "Valeur maximale", - "SSE.Views.EditChart.textMinor": "Secondaires", - "SSE.Views.EditChart.textMinorType": "Type secondaire", - "SSE.Views.EditChart.textMinValue": "Valeur minimale", - "SSE.Views.EditChart.textNone": "Aucun", - "SSE.Views.EditChart.textNoOverlay": "Sans superposition", - "SSE.Views.EditChart.textOverlay": "Superposition", - "SSE.Views.EditChart.textRemoveChart": "Supprimer le graphique", - "SSE.Views.EditChart.textReorder": "Réorganiser", - "SSE.Views.EditChart.textRight": "À droite", - "SSE.Views.EditChart.textRightOverlay": "Superposition à droite", - "SSE.Views.EditChart.textRotated": "Incliné", - "SSE.Views.EditChart.textSize": "Taille", - "SSE.Views.EditChart.textStyle": "Style", - "SSE.Views.EditChart.textTickOptions": "Options de graduations", - "SSE.Views.EditChart.textToBackground": "Mettre en arrière-plan", - "SSE.Views.EditChart.textToForeground": "Amener au premier plan", - "SSE.Views.EditChart.textTop": "En haut", - "SSE.Views.EditChart.textType": "Type", - "SSE.Views.EditChart.textValReverseOrder": "Valeurs en ordre inverse", - "SSE.Views.EditChart.textVerAxis": "Axe vertical", - "SSE.Views.EditChart.textVertical": "Vertical", - "SSE.Views.EditHyperlink.textBack": "Retour en arrière", - "SSE.Views.EditHyperlink.textDisplay": "Affichage", - "SSE.Views.EditHyperlink.textEditLink": "Editer lien", - "SSE.Views.EditHyperlink.textExternalLink": "Lien externe", - "SSE.Views.EditHyperlink.textInternalLink": "Plage de données interne", - "SSE.Views.EditHyperlink.textLink": "Lien", - "SSE.Views.EditHyperlink.textLinkType": "Type de lien", - "SSE.Views.EditHyperlink.textRange": "Plage", - "SSE.Views.EditHyperlink.textRemoveLink": "Supprimer le lien", - "SSE.Views.EditHyperlink.textScreenTip": "Info-bulle", - "SSE.Views.EditHyperlink.textSheet": "Feuille", - "SSE.Views.EditImage.textAddress": "Adresse", - "SSE.Views.EditImage.textBack": "Retour en arrière", - "SSE.Views.EditImage.textBackward": "Déplacer vers l'arrière", - "SSE.Views.EditImage.textDefault": "Taille actuelle", - "SSE.Views.EditImage.textForward": "Déplacer vers l'avant", - "SSE.Views.EditImage.textFromLibrary": "Image de la bibliothèque", - "SSE.Views.EditImage.textFromURL": "Image à partir d'une URL", - "SSE.Views.EditImage.textImageURL": "URL image", - "SSE.Views.EditImage.textLinkSettings": "Paramètres de lien", - "SSE.Views.EditImage.textRemove": "Supprimer l'image", - "SSE.Views.EditImage.textReorder": "Réorganiser", - "SSE.Views.EditImage.textReplace": "Remplacer", - "SSE.Views.EditImage.textReplaceImg": "Remplacer l’image", - "SSE.Views.EditImage.textToBackground": "Mettre en arrière-plan", - "SSE.Views.EditImage.textToForeground": "Amener au premier plan", - "SSE.Views.EditShape.textAddCustomColor": "Ajouter couleur personnalisée", - "SSE.Views.EditShape.textBack": "Retour en arrière", - "SSE.Views.EditShape.textBackward": "Déplacer vers l'arrière", - "SSE.Views.EditShape.textBorder": "Bordure", - "SSE.Views.EditShape.textColor": "Couleur", - "SSE.Views.EditShape.textCustomColor": "Couleur personnalisée", - "SSE.Views.EditShape.textEffects": "Effets", - "SSE.Views.EditShape.textFill": "Remplissage", - "SSE.Views.EditShape.textForward": "Déplacer vers l'avant", - "SSE.Views.EditShape.textOpacity": "Opacité", - "SSE.Views.EditShape.textRemoveShape": "Supprimer la forme", - "SSE.Views.EditShape.textReorder": "Réorganiser", - "SSE.Views.EditShape.textReplace": "Remplacer", - "SSE.Views.EditShape.textSize": "Taille", - "SSE.Views.EditShape.textStyle": "Style", - "SSE.Views.EditShape.textToBackground": "Mettre en arrière-plan", - "SSE.Views.EditShape.textToForeground": "Amener au premier plan", - "SSE.Views.EditText.textAddCustomColor": "Ajouter couleur personnalisée", - "SSE.Views.EditText.textBack": "Retour en arrière", - "SSE.Views.EditText.textCharacterBold": "B", - "SSE.Views.EditText.textCharacterItalic": "I", - "SSE.Views.EditText.textCharacterUnderline": "U", - "SSE.Views.EditText.textCustomColor": "Couleur personnalisée", - "SSE.Views.EditText.textFillColor": "Couleur remplissage", - "SSE.Views.EditText.textFonts": "Polices", - "SSE.Views.EditText.textSize": "Taille", - "SSE.Views.EditText.textTextColor": "Couleur du texte", - "SSE.Views.FilterOptions.textClearFilter": "Effacer filtre", - "SSE.Views.FilterOptions.textDeleteFilter": "Supprimer filtre", - "SSE.Views.FilterOptions.textFilter": "Options filtre", - "SSE.Views.Search.textByColumns": "Par colonnes", - "SSE.Views.Search.textByRows": "Par lignes", - "SSE.Views.Search.textDone": "Effectué", - "SSE.Views.Search.textFind": "Rechercher", - "SSE.Views.Search.textFindAndReplace": "Rechercher et remplacer", - "SSE.Views.Search.textFormulas": "Formules", - "SSE.Views.Search.textHighlightRes": "Surligner résultats", - "SSE.Views.Search.textLookIn": "Rechercher dans", - "SSE.Views.Search.textMatchCase": "Respecter la casse", - "SSE.Views.Search.textMatchCell": "Respecter la cellule", - "SSE.Views.Search.textReplace": "Remplacer", - "SSE.Views.Search.textSearch": "Rechercher", - "SSE.Views.Search.textSearchBy": "Recherche", - "SSE.Views.Search.textSearchIn": "Сhamp de recherche", - "SSE.Views.Search.textSheet": "Feuille", - "SSE.Views.Search.textValues": "Valeurs", - "SSE.Views.Search.textWorkbook": "Classeur", - "SSE.Views.Settings.textAbout": "À propos de", - "SSE.Views.Settings.textAddress": "adresse", - "SSE.Views.Settings.textApplication": "Application", - "SSE.Views.Settings.textApplicationSettings": "Réglages application", - "SSE.Views.Settings.textAuthor": "Auteur", - "SSE.Views.Settings.textBack": "Retour", - "SSE.Views.Settings.textBottom": "En bas", - "SSE.Views.Settings.textCentimeter": "Centimètre", - "SSE.Views.Settings.textCollaboration": "Collaboration", - "SSE.Views.Settings.textColorSchemes": "Jeux de couleurs", - "SSE.Views.Settings.textComment": "Commentaire", - "SSE.Views.Settings.textCommentingDisplay": "Affichage commentaires ", - "SSE.Views.Settings.textCreated": "Créé", - "SSE.Views.Settings.textCreateDate": "Date de création", - "SSE.Views.Settings.textCustom": "Personnalisé", - "SSE.Views.Settings.textCustomSize": "Taille personnalisée", - "SSE.Views.Settings.textDisableAll": "Désactiver tout", - "SSE.Views.Settings.textDisableAllMacrosWithNotification": "Désactiver tous les macros avec notification", - "SSE.Views.Settings.textDisableAllMacrosWithoutNotification": "Désactiver tous les macros sans notification", - "SSE.Views.Settings.textDisplayComments": "Commentaires", - "SSE.Views.Settings.textDisplayResolvedComments": "Commentaires résolus", - "SSE.Views.Settings.textDocInfo": "Infos sur tableur", - "SSE.Views.Settings.textDocTitle": "Titre du classeur", - "SSE.Views.Settings.textDone": "Effectué", - "SSE.Views.Settings.textDownload": "Télécharger", - "SSE.Views.Settings.textDownloadAs": "Télécharger comme...", - "SSE.Views.Settings.textEditDoc": "Editer document", - "SSE.Views.Settings.textEmail": "e-mail", - "SSE.Views.Settings.textEnableAll": "Activer tout", - "SSE.Views.Settings.textEnableAllMacrosWithoutNotification": "Activer tous les macros sans notification", - "SSE.Views.Settings.textExample": "Exemple", - "SSE.Views.Settings.textFind": "Rechercher", - "SSE.Views.Settings.textFindAndReplace": "Rechercher et remplacer", - "SSE.Views.Settings.textFormat": "Format", - "SSE.Views.Settings.textFormulaLanguage": "Langage formule", - "SSE.Views.Settings.textHelp": "Aide", - "SSE.Views.Settings.textHideGridlines": "Masquer quadrillage", - "SSE.Views.Settings.textHideHeadings": "Masquer en-têtes", - "SSE.Views.Settings.textInch": "Pouce", - "SSE.Views.Settings.textLandscape": "Paysage", - "SSE.Views.Settings.textLastModified": "Dernière modification", - "SSE.Views.Settings.textLastModifiedBy": "Dernière modification par", - "SSE.Views.Settings.textLeft": "À gauche", - "SSE.Views.Settings.textLoading": "Chargement en cours...", - "SSE.Views.Settings.textLocation": "Emplacement", - "SSE.Views.Settings.textMacrosSettings": "Réglages macros", - "SSE.Views.Settings.textMargins": "Marges", - "SSE.Views.Settings.textOrientation": "Orientation", - "SSE.Views.Settings.textOwner": "Propriétaire", - "SSE.Views.Settings.textPoint": "Point", - "SSE.Views.Settings.textPortrait": "Portrait", - "SSE.Views.Settings.textPoweredBy": "Propulsé par ", - "SSE.Views.Settings.textPrint": "Imprimer", - "SSE.Views.Settings.textR1C1Style": "Style de référence L1C1", - "SSE.Views.Settings.textRegionalSettings": "Paramètres régionaux", - "SSE.Views.Settings.textRight": "À droit", - "SSE.Views.Settings.textSettings": "Paramètres", - "SSE.Views.Settings.textShowNotification": "Montrer notification", - "SSE.Views.Settings.textSpreadsheetFormats": "Formats de feuille de calcul", - "SSE.Views.Settings.textSpreadsheetSettings": "Paramètres de feuille de calcul", - "SSE.Views.Settings.textSubject": "Sujet", - "SSE.Views.Settings.textTel": "tél.", - "SSE.Views.Settings.textTitle": "Titre", - "SSE.Views.Settings.textTop": "En haut", - "SSE.Views.Settings.textUnitOfMeasurement": "Unité de mesure", - "SSE.Views.Settings.textUploaded": "Chargé", - "SSE.Views.Settings.textVersion": "Version", - "SSE.Views.Settings.unknownText": "Inconnu", - "SSE.Views.Toolbar.textBack": "Retour en arrière" + "About": { + "textAbout": "A propos", + "textAddress": "Adresse", + "textBack": "Retour" + }, + "Common": { + "Collaboration": { + "textAddComment": "Ajouter un commentaire", + "textAddReply": "Ajouter une réponse", + "textBack": "Retour" + } + }, + "ContextMenu": { + "menuAddComment": "Ajouter un commentaire", + "menuAddLink": "Ajouter un lien" + }, + "Controller": { + "Main": { + "SDK": { + "txtAccent": "Accentuation", + "txtStyle_Bad": "Incorrect" + }, + "textAnonymous": "Anonyme" + } + }, + "Error": { + "errorArgsRange": "Il y a une erreur dans la formule : Plage d'arguments incorrecte.", + "errorCountArg": "Il y a une erreur dans la formule : nombre d'arguments incorrecte.", + "errorCountArgExceed": "Il y a une erreur dans la formule : Nombre maximal d'arguments dépassé.", + "errorFormulaName": "Il y a une erreur dans la formule : nom de la formule incorrecte.", + "errorWrongBracketsCount": "Il y a une erreur dans la formule : Mauvais nombre de parenthèses.", + "errorWrongOperator": "Une erreur dans la formule. L'opérateur n'est pas valide. Corriger l'erreur ou presser Echap pour annuler l'édition de la formule.", + "openErrorText": "Une erreur s’est produite lors de l’ouverture du fichier", + "saveErrorText": "Une erreur s'est produite lors de l'enregistrement du fichier" + }, + "Statusbar": { + "textErrNameWrongChar": "Un nom de feuille ne peut pas contenir les caractères suivants : \\, /, *, ?, [, ], :" + }, + "View": { + "Add": { + "textAddLink": "Ajouter un lien", + "textAddress": "Adresse", + "textBack": "Retour" + }, + "Edit": { + "textAccounting": "Comptabilité", + "textActualSize": "Taille par défaut", + "textAddCustomColor": "Ajouter une couleur personnalisée", + "textAddress": "Adresse", + "textAlign": "Aligner", + "textAlignBottom": "Aligner en bas", + "textAlignCenter": "Alignement centré", + "textAlignLeft": "Aligner à gauche", + "textAlignMiddle": "Aligner au milieu", + "textAlignRight": "Aligner à droite", + "textAlignTop": "Aligner en haut", + "textAllBorders": "Toutes les bordures", + "textBack": "Retour", + "textBillions": "Milliards", + "textBorder": "Bordure", + "textBorderStyle": "Style de bordure", + "textEmptyItem": "{Blancs}", + "textHundredMil": "100000000", + "textHundredThousands": "100000", + "textTenMillions": "10000000", + "textTenThousands": "10000" + }, + "Settings": { + "textAbout": "A propos", + "textAddress": "Adresse", + "textApplication": "Application", + "textApplicationSettings": "Paramètres de l'application", + "textAuthor": "Auteur", + "textBack": "Retour" + } + } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/ro.json b/apps/spreadsheeteditor/mobile/locale/ro.json index 44ba52587..d7a76846e 100644 --- a/apps/spreadsheeteditor/mobile/locale/ro.json +++ b/apps/spreadsheeteditor/mobile/locale/ro.json @@ -1,661 +1,56 @@ { - "Common.Controllers.Collaboration.textAddReply": "Adăugare răspuns", - "Common.Controllers.Collaboration.textCancel": "Revocare", - "Common.Controllers.Collaboration.textDeleteComment": "Ștergere comentariu", - "Common.Controllers.Collaboration.textDeleteReply": "Ștergere răspuns", - "Common.Controllers.Collaboration.textDone": "Gata", - "Common.Controllers.Collaboration.textEdit": "Editare", - "Common.Controllers.Collaboration.textEditUser": "Fișierul este editat de către:", - "Common.Controllers.Collaboration.textMessageDeleteComment": "Sunteți sigur că doriți să stergeți acest comentariu?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "Sinteți sigur că doriți să ștergeți acest răspuns?", - "Common.Controllers.Collaboration.textReopen": "Redeschidere", - "Common.Controllers.Collaboration.textResolve": "Rezolvare", - "Common.Controllers.Collaboration.textYes": "Da", - "Common.UI.ThemeColorPalette.textCustomColors": "Culori particularizate", - "Common.UI.ThemeColorPalette.textStandartColors": "Culori standard", - "Common.UI.ThemeColorPalette.textThemeColors": "Culori temă", - "Common.Utils.Metric.txtCm": "cm", - "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAddReply": "Adăugare răspuns", - "Common.Views.Collaboration.textBack": "Înapoi", - "Common.Views.Collaboration.textCancel": "Revocare", - "Common.Views.Collaboration.textCollaboration": "Colaborare", - "Common.Views.Collaboration.textDone": "Gata", - "Common.Views.Collaboration.textEditReply": "Editare răspuns", - "Common.Views.Collaboration.textEditUsers": "Utilizatori", - "Common.Views.Collaboration.textEditСomment": "Editare comentariu", - "Common.Views.Collaboration.textNoComments": "Foaia de calcul nu conține comentariile", - "Common.Views.Collaboration.textСomments": "Comentarii", - "SSE.Controllers.AddChart.txtDiagramTitle": "Titlu diagramă", - "SSE.Controllers.AddChart.txtSeries": "Serie", - "SSE.Controllers.AddChart.txtXAxis": "Axa X", - "SSE.Controllers.AddChart.txtYAxis": "Axa Y", - "SSE.Controllers.AddContainer.textChart": "Diagramă", - "SSE.Controllers.AddContainer.textFormula": "Funcție", - "SSE.Controllers.AddContainer.textImage": "Imagine", - "SSE.Controllers.AddContainer.textOther": "Altele", - "SSE.Controllers.AddContainer.textShape": "Forma", - "SSE.Controllers.AddLink.notcriticalErrorTitle": "Avertisment", - "SSE.Controllers.AddLink.textInvalidRange": "EROARE! Zonă de celule nu este validă", - "SSE.Controllers.AddLink.txtNotUrl": "Câmpul trebuie să conțină adresa URL in format 'http://www.example.com'", - "SSE.Controllers.AddOther.notcriticalErrorTitle": "Avertisment", - "SSE.Controllers.AddOther.textCancel": "Revocare", - "SSE.Controllers.AddOther.textContinue": "Continuare", - "SSE.Controllers.AddOther.textDelete": "Ștergere", - "SSE.Controllers.AddOther.textDeleteDraft": "Sunteți sigur că doriți să stergeți schiță?", - "SSE.Controllers.AddOther.textEmptyImgUrl": "Trebuie specificată adresa URL a imaginii.", - "SSE.Controllers.AddOther.txtNotUrl": "Câmpul trebuie să conțină adresa URL in format 'http://www.example.com'", - "SSE.Controllers.DocumentHolder.errorCopyCutPaste": "Comenzile copiere, decupare și lipire din meniul contextual se aplică numai documentului curent.", - "SSE.Controllers.DocumentHolder.errorInvalidLink": "Legătură de referință nu există. Corectați sau eliminați legătura.", - "SSE.Controllers.DocumentHolder.menuAddComment": "Adaugă comentariu", - "SSE.Controllers.DocumentHolder.menuAddLink": "Adăugare link", - "SSE.Controllers.DocumentHolder.menuCell": "Celula", - "SSE.Controllers.DocumentHolder.menuCopy": "Copiere", - "SSE.Controllers.DocumentHolder.menuCut": "Decupare", - "SSE.Controllers.DocumentHolder.menuDelete": "Ștergere", - "SSE.Controllers.DocumentHolder.menuEdit": "Editare", - "SSE.Controllers.DocumentHolder.menuFreezePanes": "Înghețare panouri", - "SSE.Controllers.DocumentHolder.menuHide": "Ascunde", - "SSE.Controllers.DocumentHolder.menuMerge": "Îmbinare", - "SSE.Controllers.DocumentHolder.menuMore": "Mai multe", - "SSE.Controllers.DocumentHolder.menuOpenLink": "Deschidere link", - "SSE.Controllers.DocumentHolder.menuPaste": "Lipire", - "SSE.Controllers.DocumentHolder.menuShow": "Afișează", - "SSE.Controllers.DocumentHolder.menuUnfreezePanes": "Dezghețare panouri", - "SSE.Controllers.DocumentHolder.menuUnmerge": "Anulare îmbinării", - "SSE.Controllers.DocumentHolder.menuUnwrap": "Anulare încadrare", - "SSE.Controllers.DocumentHolder.menuViewComment": "Vizualizarea comentariilor", - "SSE.Controllers.DocumentHolder.menuWrap": "Încadrare", - "SSE.Controllers.DocumentHolder.notcriticalErrorTitle": "Avertisment", - "SSE.Controllers.DocumentHolder.sheetCancel": "Revocare", - "SSE.Controllers.DocumentHolder.textCopyCutPasteActions": "Comenzile de copiere, decupare și lipire", - "SSE.Controllers.DocumentHolder.textDoNotShowAgain": "Nu se mai afișează ", - "SSE.Controllers.DocumentHolder.warnMergeLostData": "În celula îmbinată se afișează numai conținutul celulei din stânga sus.
Sunteți sigur că doriți să continuați?", - "SSE.Controllers.EditCell.textAuto": "Auto", - "SSE.Controllers.EditCell.textFonts": "Fonturi", - "SSE.Controllers.EditCell.textPt": "pt", - "SSE.Controllers.EditChart.errorMaxRows": "EROARE! Număr maxim serii de date în diagramă este 225.", - "SSE.Controllers.EditChart.errorStockChart": "Sortarea rândurilor în ordinea incorectă. Pentru crearea unei diagrame de stoc, datele în foaie trebuie sortate în ordinea următoare:
prețul de deschidere, prețul maxim, prețul minim, prețul de închidere.", - "SSE.Controllers.EditChart.textAuto": "Auto", - "SSE.Controllers.EditChart.textBetweenTickMarks": "Între gradații", - "SSE.Controllers.EditChart.textBillions": "Miliarde", - "SSE.Controllers.EditChart.textBottom": "Jos", - "SSE.Controllers.EditChart.textCenter": "La centru", - "SSE.Controllers.EditChart.textCross": "Traversare", - "SSE.Controllers.EditChart.textCustom": "Particularizat", - "SSE.Controllers.EditChart.textFit": "Potrivire lățime", - "SSE.Controllers.EditChart.textFixed": "Fixă", - "SSE.Controllers.EditChart.textHigh": "Ridicată", - "SSE.Controllers.EditChart.textHorizontal": "Orizontală", - "SSE.Controllers.EditChart.textHundredMil": "100 000 000", - "SSE.Controllers.EditChart.textHundreds": "Sute", - "SSE.Controllers.EditChart.textHundredThousands": "100 000", - "SSE.Controllers.EditChart.textIn": "În", - "SSE.Controllers.EditChart.textInnerBottom": "În interior în jos", - "SSE.Controllers.EditChart.textInnerTop": "În interor în sus", - "SSE.Controllers.EditChart.textLeft": "Stânga", - "SSE.Controllers.EditChart.textLeftOverlay": "Suprapunere din stânga", - "SSE.Controllers.EditChart.textLow": "Scăzută", - "SSE.Controllers.EditChart.textManual": "Manual", - "SSE.Controllers.EditChart.textMaxValue": "Limita maximă", - "SSE.Controllers.EditChart.textMillions": "Milioane", - "SSE.Controllers.EditChart.textMinValue": "Limita minimă", - "SSE.Controllers.EditChart.textNextToAxis": "Lângă axă", - "SSE.Controllers.EditChart.textNone": "Niciunul", - "SSE.Controllers.EditChart.textNoOverlay": "Fără suprapunere", - "SSE.Controllers.EditChart.textOnTickMarks": "Pe gradații", - "SSE.Controllers.EditChart.textOut": "Din", - "SSE.Controllers.EditChart.textOuterTop": "În exterior în sus", - "SSE.Controllers.EditChart.textOverlay": "Suprapunere", - "SSE.Controllers.EditChart.textRight": "Dreapta", - "SSE.Controllers.EditChart.textRightOverlay": "Suprapunerea din dreapta", - "SSE.Controllers.EditChart.textRotated": "Rotit", - "SSE.Controllers.EditChart.textTenMillions": "10 000 000", - "SSE.Controllers.EditChart.textTenThousands": "10 000", - "SSE.Controllers.EditChart.textThousands": "Mii", - "SSE.Controllers.EditChart.textTop": "Sus", - "SSE.Controllers.EditChart.textTrillions": "Trilioane", - "SSE.Controllers.EditChart.textValue": "Valoare", - "SSE.Controllers.EditContainer.textCell": "Celula", - "SSE.Controllers.EditContainer.textChart": "Diagramă", - "SSE.Controllers.EditContainer.textHyperlink": "Hyperlink", - "SSE.Controllers.EditContainer.textImage": "Imagine", - "SSE.Controllers.EditContainer.textSettings": "Setări", - "SSE.Controllers.EditContainer.textShape": "Forma", - "SSE.Controllers.EditContainer.textTable": "Tabel", - "SSE.Controllers.EditContainer.textText": "Text", - "SSE.Controllers.EditHyperlink.notcriticalErrorTitle": "Avertisment", - "SSE.Controllers.EditHyperlink.textDefault": "Zona selectată", - "SSE.Controllers.EditHyperlink.textEmptyImgUrl": "Trebuie specificată adresa URL a imaginii.", - "SSE.Controllers.EditHyperlink.textExternalLink": "Link extern", - "SSE.Controllers.EditHyperlink.textInternalLink": "Zonă de date internă", - "SSE.Controllers.EditHyperlink.textInvalidRange": "Zona de celule nu este validă", - "SSE.Controllers.EditHyperlink.txtNotUrl": "Câmpul trebuie să conțină adresa URL in format \"http://www.example.com\"", - "SSE.Controllers.EditImage.notcriticalErrorTitle": "Avertisment", - "SSE.Controllers.EditImage.textEmptyImgUrl": "Trebuie specificată adresa URL a imaginii.", - "SSE.Controllers.EditImage.txtNotUrl": "Câmpul trebuie să conțină adresa URL in format 'http://www.example.com'", - "SSE.Controllers.FilterOptions.textEmptyItem": "{Necompletat}", - "SSE.Controllers.FilterOptions.textErrorMsg": "Selectați cel puțin o valoare", - "SSE.Controllers.FilterOptions.textErrorTitle": "Avertisment", - "SSE.Controllers.FilterOptions.textSelectAll": "Selectare totală", - "SSE.Controllers.Main.advCSVOptions": "Alegerea opțiunilor CSV", - "SSE.Controllers.Main.advDRMEnterPassword": "Introduceți parola:", - "SSE.Controllers.Main.advDRMOptions": "Fișierul protejat", - "SSE.Controllers.Main.advDRMPassword": "Parola", - "SSE.Controllers.Main.applyChangesTextText": "Încărcarea datelor...", - "SSE.Controllers.Main.applyChangesTitleText": "Încărcare date", - "SSE.Controllers.Main.closeButtonText": "Închide fișierul", - "SSE.Controllers.Main.convertationTimeoutText": "Timpul de așteptare pentru conversie a expirat.", - "SSE.Controllers.Main.criticalErrorExtText": "Faceți click pe butonul'OK' pentru a vă întoarce la lista documente. ", - "SSE.Controllers.Main.criticalErrorTitle": "Eroare", - "SSE.Controllers.Main.downloadErrorText": "Descărcare eșuată.", - "SSE.Controllers.Main.downloadMergeText": "Progres descărcare...", - "SSE.Controllers.Main.downloadMergeTitle": "Progres descărcare", - "SSE.Controllers.Main.downloadTextText": "Descărcare foaie de calcul...", - "SSE.Controllers.Main.downloadTitleText": "Descărcare foaie de calcul", - "SSE.Controllers.Main.errorAccessDeny": "Nu aveți dreptul să efectuați acțiunea pe care doriți.
Contactați administratorul dumneavoastră de Server Documente.", - "SSE.Controllers.Main.errorArgsRange": "Eroare în formulă.
Zonă argument incorectă.", - "SSE.Controllers.Main.errorAutoFilterChange": "Operațiunea nu este permisă deoarece este o încercare de a deplasa celulele în tabel din foaia de calcul dvs.", - "SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "Operațiunea nu poate fi efectuată pentru celulele selectate deaorece nu puteți deplasa o parte din tabel.
Selectați o altă zonă de date pentru mutarea întregului tabel și încercați din nou.", - "SSE.Controllers.Main.errorAutoFilterDataRange": "Operațiunea nu poare fi efectuată pentru celulele selectate.
Selectați o altă zonă de date uniformă și încercați din nou.", - "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.errorChangeArray": "Nu puteți modifica parte dintr-o matrice.", - "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Conexiunea la server a fost pierdută. Deocamdată, imposibil de editat documentul.", - "SSE.Controllers.Main.errorConnectToServer": "Salvarea documentului nu poate fi finalizată. 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.", - "SSE.Controllers.Main.errorCopyMultiselectArea": "Această comandă nu poate fi aplicată la selecții multiple
Selectați o singură zonă și încercați din nou.", - "SSE.Controllers.Main.errorCountArg": "Eroare în formulă.
Număr incorect de argumente.", - "SSE.Controllers.Main.errorCountArgExceed": "Eroare în formulă.
Numărul de argumente a fost depășit.", - "SSE.Controllers.Main.errorCreateDefName": "Zone denumite existente nu pot fi editate, dar nici cele noi nu pot fi create
deoarece unele dintre acestea sunt editate în momentul de față.", - "SSE.Controllers.Main.errorDatabaseConnection": "Eroare externă.
Eroare de conectare la baza de date. Dacă eroarea persistă, contactați Serviciul de Asistență Clienți.", - "SSE.Controllers.Main.errorDataEncrypted": "Modificările primite sunt criptate, decriptarea este imposibilă.", - "SSE.Controllers.Main.errorDataRange": "Zonă de date incorectă.", - "SSE.Controllers.Main.errorDataValidate": "Valoarea introdusă nu este validă
Unul dintre utilizatori a restricționat valorile pe care utilizatorii le introduc într-o celulă. ", - "SSE.Controllers.Main.errorDefaultMessage": "Codul de eroare: %1", - "SSE.Controllers.Main.errorEditingDownloadas": "S-a produs o eroare în timpul procesării documentului.
Folosiți funcția de descărcare pentru a salva copia de rezervă a fișierului pe PC.", - "SSE.Controllers.Main.errorFilePassProtect": "Fișierul este protejat cu parolă și deaceea nu poate fi deschis.", - "SSE.Controllers.Main.errorFileRequest": "Eroare externă.
Eroare la trimiterea solicitării de fișier. Dacă eroarea persistă, contactați Serviciul de Asistență Clienți.", - "SSE.Controllers.Main.errorFileSizeExceed": "Dimensiunea fișierului depășește limita permisă de serverul Dvs.
Pentru detalii, contactați administratorul dumneavoastră de Server Documente.", - "SSE.Controllers.Main.errorFileVKey": "Eroare externă.
Cheia de securitate incorectă. Dacă eroarea persistă, contactați Seviciul de Asistență Clienți.", - "SSE.Controllers.Main.errorFillRange": "Completarea celulelor selectate nu este posibilă.
Configurați toate coloanele îmbinate la aceeași dimensiune.", - "SSE.Controllers.Main.errorFormulaName": "Eroare în formulă.
Numele formulei incorect.", - "SSE.Controllers.Main.errorFormulaParsing": "Eroare internă de parsare cu formulă.", - "SSE.Controllers.Main.errorFrmlMaxLength": "Lungimea conținutului formulei depășește limita maximă de 8192 caractere.
Editați-o și încercați din nou.", - "SSE.Controllers.Main.errorFrmlMaxReference": "Nu puteți introduce acestă formula deoarece are prea multe valori,
referințe de celulă, și/sau nume.", - "SSE.Controllers.Main.errorFrmlMaxTextLength": "Valorile de tip text în o formulă pot conține maxim 255 caractere.
Utilizați funcția CONCATENATE sau operatorul de calcul (&).", - "SSE.Controllers.Main.errorFrmlWrongReferences": "Funcția se referă la o foaie inexistentă.
Verificați datele și încercați din nou.", - "SSE.Controllers.Main.errorInvalidRef": "Introduceți numele din selecție corect sau o referință validă de accesat.", - "SSE.Controllers.Main.errorKeyEncrypt": "Descriptor cheie nerecunoscut", - "SSE.Controllers.Main.errorKeyExpire": "Descriptor cheie a expirat", - "SSE.Controllers.Main.errorLockedAll": "Operațiunea nu poate fi efectuată deoarece foaia a fost blocată de către un alt utilizator.", - "SSE.Controllers.Main.errorLockedCellPivot": "Nu puteți modifica datele manipulând tabel Pivot.", - "SSE.Controllers.Main.errorLockedWorksheetRename": "Deocamdată, nu puteți redenumi foaia deoarece foaia este redenumită de către un alt utilizator", - "SSE.Controllers.Main.errorMailMergeLoadFile": "Încărcarea fișierului eșuată. Selectați un alt fișier.", - "SSE.Controllers.Main.errorMailMergeSaveFile": "Îmbinarea eșuată.", - "SSE.Controllers.Main.errorMaxPoints": "Numărul maxim de puncte de date pe serie în diagramă este limitat la 4096.", - "SSE.Controllers.Main.errorMoveRange": "O parte din celulă îmbinată nu poate fi modificată ", - "SSE.Controllers.Main.errorMultiCellFormula": "Formule de matrice cu mai multe celule nu sunt permise în tabele.", - "SSE.Controllers.Main.errorOpensource": "Versiunea gratuită a ediției Community include numai vizualizarea fișierilor. Licența comercială permite utilizarea editoarelor pentru dispozitivele mobile.", - "SSE.Controllers.Main.errorOpenWarning": "O formulă din fișier depășește limita maximă de 8192 caractere.
Formula a fost eliminată.", - "SSE.Controllers.Main.errorOperandExpected": "Sintaxa funcției incorectă. Verificați încadrarea în paranteze - '(' sau ')'.", - "SSE.Controllers.Main.errorPasteMaxRange": "Zona de copiere nu corespunde zonei de lipire.
Pentru lipirea celulelor copiate, selectați o zonă de aceeași demensiune și faceți clic pe prima celula din rând.", - "SSE.Controllers.Main.errorPrintMaxPagesCount": "Din păcate, imprimarea a 1500 de pagini deodată nu este posibilă la veriunea curentă
Această restricție va fi eliminată într-o versiunea nouă.", - "SSE.Controllers.Main.errorProcessSaveResult": "Salverea a eșuat", - "SSE.Controllers.Main.errorServerVersion": "Editorul a fost actualizat. Pagina va fi reîmprospătată pentru a aplica această actualizare.", - "SSE.Controllers.Main.errorSessionAbsolute": "Sesiunea de editare a expirat. Încercați să reîmprospătați pagina.", - "SSE.Controllers.Main.errorSessionIdle": "Acțiunile de editare a documentului nu s-au efectuat de ceva timp. Încercați să reîmprospătați pagina.", - "SSE.Controllers.Main.errorSessionToken": "Conexeunea la server s-a întrerupt. Încercați să reîmprospătati pagina.", - "SSE.Controllers.Main.errorStockChart": "Sortarea rândurilor în ordinea incorectă. Pentru crearea unei diagrame de stoc, datele în foaie trebuie sortate în ordinea următoare:
prețul de deschidere, prețul maxim, prețul minim, prețul de închidere.", - "SSE.Controllers.Main.errorToken": "Token de securitate din document este format în mod incorect.
Contactați administratorul dvs. de Server Documente.", - "SSE.Controllers.Main.errorTokenExpire": "Token de securitate din document a expirat.
Contactați administratorul dvs. de Server Documente.", - "SSE.Controllers.Main.errorUnexpectedGuid": "Eroare externă.
GUID neașteptat. Dacă eroarea persistă, contactați Seviciul de Asistență Clienți.", - "SSE.Controllers.Main.errorUpdateVersion": "Versiunea fișierului s-a modificat. Pagina va fi reîmprospătată.", - "SSE.Controllers.Main.errorUpdateVersionOnDisconnect": "Conexiunea la Internet s-a restabilit și versiunea fișierului s-a schimbat.
Înainte de a continua, fișierul trebuie descărcat sau conținutul fișierului copiat ca să vă asigurați că nimic nu e pierdut, apoi reîmprospătați această pagină.", - "SSE.Controllers.Main.errorUserDrop": "Fișierul nu poate fi accesat deocamdată.", - "SSE.Controllers.Main.errorUsersExceed": "Limita de utilizatori stipulată de planul tarifar a fost depășită", - "SSE.Controllers.Main.errorViewerDisconnect": "Conexiunea a fost pierdută. Puteți vizualiza documentul,
dar nu puteți să-l descărcați până când se restabilește conexiunea și se reîmprospătează pagină.", - "SSE.Controllers.Main.errorWrongBracketsCount": "Eroare în formulă.
Numărul de paranteze incorect.", - "SSE.Controllers.Main.errorWrongOperator": "Eroare în formulă. Operator necorespunzător.
Corectați eroarea.", - "SSE.Controllers.Main.leavePageText": "Nu ați salvat modificările din documentul. Faceți clic pe Rămâi în pagină și așteptați salvarea automată. Faceți clic pe Părăsește această pagina ca să renunțați la toate modificările nesalvate.", - "SSE.Controllers.Main.loadFontsTextText": "Încărcarea datelor...", - "SSE.Controllers.Main.loadFontsTitleText": "Încărcare date", - "SSE.Controllers.Main.loadFontTextText": "Încărcarea datelor...", - "SSE.Controllers.Main.loadFontTitleText": "Încărcare date", - "SSE.Controllers.Main.loadImagesTextText": "Încărcarea imaginilor...", - "SSE.Controllers.Main.loadImagesTitleText": "Încărcare imagini", - "SSE.Controllers.Main.loadImageTextText": "Încărcarea imaginii...", - "SSE.Controllers.Main.loadImageTitleText": "Încărcare imagine", - "SSE.Controllers.Main.loadingDocumentTextText": "Încărcarea foii de calcul...", - "SSE.Controllers.Main.loadingDocumentTitleText": "Încărcare foaie de calcul", - "SSE.Controllers.Main.mailMergeLoadFileText": "Încărcarea sursei de date...", - "SSE.Controllers.Main.mailMergeLoadFileTitle": "Încărcare sursa de date", - "SSE.Controllers.Main.notcriticalErrorTitle": "Avertisment", - "SSE.Controllers.Main.openErrorText": "Eroare la deschiderea fișierului.", - "SSE.Controllers.Main.openTextText": "Deschiderea fișierului...", - "SSE.Controllers.Main.openTitleText": "Deschidere fișier", - "SSE.Controllers.Main.pastInMergeAreaError": "O parte din celulă îmbinată nu poate fi modificată ", - "SSE.Controllers.Main.printTextText": "Imprimarea documentului...", - "SSE.Controllers.Main.printTitleText": "Imprimarea documentului", - "SSE.Controllers.Main.reloadButtonText": "Reîmprospătare pagina", - "SSE.Controllers.Main.requestEditFailedMessageText": "La moment, alcineva lucrează la documentul. Vă rugăm să încercați mai târziu.", - "SSE.Controllers.Main.requestEditFailedTitleText": "Acces refuzat", - "SSE.Controllers.Main.saveErrorText": "S-a produs o eroare în timpul încercării de salvare a fișierului.", - "SSE.Controllers.Main.savePreparingText": "Pregătire pentru salvare", - "SSE.Controllers.Main.savePreparingTitle": "Pregătire pentru salvare. Vă rugăm să așteptați...", - "SSE.Controllers.Main.saveTextText": "Salvarea documentului...", - "SSE.Controllers.Main.saveTitleText": "Salvare document", - "SSE.Controllers.Main.scriptLoadError": "Conexeunea e prea lentă și unele elemente nu se încarcă. Încercați să reîmprospătati pagina.", - "SSE.Controllers.Main.sendMergeText": "Trimitere îmbinare a corespondenței...", - "SSE.Controllers.Main.sendMergeTitle": "Trimitere îmbinare a corespondenței ", - "SSE.Controllers.Main.textAnonymous": "Anonim", - "SSE.Controllers.Main.textBack": "Înapoi", - "SSE.Controllers.Main.textBuyNow": "Vizitarea site-ul Web", - "SSE.Controllers.Main.textCancel": "Revocare", - "SSE.Controllers.Main.textClose": "Închidere", - "SSE.Controllers.Main.textContactUs": "Contactați Departamentul de Vânzări", - "SSE.Controllers.Main.textCustomLoader": "Vă rugăm să rețineți că conform termenilor de licență nu aveți dreptul să modificați programul de încărcare.
Pentru obținerea unei cotații de preț vă rugăm să contactați Departamentul de Vânzari.", - "SSE.Controllers.Main.textDone": "Gata", - "SSE.Controllers.Main.textGuest": "Invitat", - "SSE.Controllers.Main.textHasMacros": "Fișierul conține macrocomenzi.
Doriți să le rulați?", - "SSE.Controllers.Main.textLoadingDocument": "Încărcare foaie de calcul", - "SSE.Controllers.Main.textNo": "Nu", - "SSE.Controllers.Main.textNoLicenseTitle": "Ați atins limita stabilită de licență", - "SSE.Controllers.Main.textOK": "OK", - "SSE.Controllers.Main.textPaidFeature": "Funcția contra plată", - "SSE.Controllers.Main.textPassword": "Parola", - "SSE.Controllers.Main.textPreloader": "Se incarca...", - "SSE.Controllers.Main.textRemember": "Salvează setările pentru toate fișiere", - "SSE.Controllers.Main.textShape": "Forma", - "SSE.Controllers.Main.textStrict": "Modul strict", - "SSE.Controllers.Main.textTryUndoRedo": "Funcții Anulare/Refacere sunt dezactivate în modul Rapid de editare colaborativă.
Faceți clic pe Modul strict ca să comutați la modul Strict de editare colaborativă și să nu intrați în conflict cu alte persoane. Toate modificările vor fi trimise numai după ce le salvați. Ulilizati Setări avansate ale editorului ca să comutați între moduri de editare colaborativă. ", - "SSE.Controllers.Main.textUsername": "Nume de utilizator", - "SSE.Controllers.Main.textYes": "Da", - "SSE.Controllers.Main.titleLicenseExp": "Licența a expirat", - "SSE.Controllers.Main.titleServerVersion": "Editorul a fost actualizat", - "SSE.Controllers.Main.titleUpdateVersion": "Versiunea s-a modificat", - "SSE.Controllers.Main.txtAccent": "Accent", - "SSE.Controllers.Main.txtArt": "Textul dvs. aici", - "SSE.Controllers.Main.txtBasicShapes": "Forme de bază", - "SSE.Controllers.Main.txtButtons": "Butoane", - "SSE.Controllers.Main.txtCallouts": "Explicații", - "SSE.Controllers.Main.txtCharts": "Diagrame", - "SSE.Controllers.Main.txtDelimiter": "Delimitator", - "SSE.Controllers.Main.txtDiagramTitle": "Titlu diagramă", - "SSE.Controllers.Main.txtEditingMode": "Setare modul de editare...", - "SSE.Controllers.Main.txtEncoding": "Codificare", - "SSE.Controllers.Main.txtErrorLoadHistory": "Încărcarea istoricului a eșuat", - "SSE.Controllers.Main.txtFiguredArrows": "Săgeți în forme diferite", - "SSE.Controllers.Main.txtLines": "Linii", - "SSE.Controllers.Main.txtMath": "Matematica", - "SSE.Controllers.Main.txtProtected": "Parola curentă va fi resetată, de îndată ce parola este introdusă și fișierul este deschis.", - "SSE.Controllers.Main.txtRectangles": "Dreptunghiuri", - "SSE.Controllers.Main.txtSeries": "Serie", - "SSE.Controllers.Main.txtSpace": "Spațiu", - "SSE.Controllers.Main.txtStarsRibbons": "Stele și forme ondulate", - "SSE.Controllers.Main.txtStyle_Bad": "Eronat", - "SSE.Controllers.Main.txtStyle_Calculation": "Calculare", - "SSE.Controllers.Main.txtStyle_Check_Cell": "Verificarea celulei", - "SSE.Controllers.Main.txtStyle_Comma": "Virgulă", - "SSE.Controllers.Main.txtStyle_Currency": "Monedă", - "SSE.Controllers.Main.txtStyle_Explanatory_Text": "Text explicativ", - "SSE.Controllers.Main.txtStyle_Good": "Bun", - "SSE.Controllers.Main.txtStyle_Heading_1": "Titlu 1", - "SSE.Controllers.Main.txtStyle_Heading_2": "Titlu 2", - "SSE.Controllers.Main.txtStyle_Heading_3": "Titlu 3", - "SSE.Controllers.Main.txtStyle_Heading_4": "Titlu 4", - "SSE.Controllers.Main.txtStyle_Input": "Intrare", - "SSE.Controllers.Main.txtStyle_Linked_Cell": "Celulă legată", - "SSE.Controllers.Main.txtStyle_Neutral": "Neutru", - "SSE.Controllers.Main.txtStyle_Normal": "Normal", - "SSE.Controllers.Main.txtStyle_Note": "Notă", - "SSE.Controllers.Main.txtStyle_Output": "Ieșirea", - "SSE.Controllers.Main.txtStyle_Percent": "Procent", - "SSE.Controllers.Main.txtStyle_Title": "Titlu", - "SSE.Controllers.Main.txtStyle_Total": "Total", - "SSE.Controllers.Main.txtStyle_Warning_Text": "Mesaj de avertisment", - "SSE.Controllers.Main.txtTab": "Fila", - "SSE.Controllers.Main.txtXAxis": "Axa X", - "SSE.Controllers.Main.txtYAxis": "Axa Y", - "SSE.Controllers.Main.unknownErrorText": "Eroare Necunoscut.", - "SSE.Controllers.Main.unsupportedBrowserErrorText": "Browserul nu este compatibil.", - "SSE.Controllers.Main.uploadImageExtMessage": "Format de imagine nerecunoscut.", - "SSE.Controllers.Main.uploadImageFileCountMessage": "Nicio imagine nu a fost încărcată.", - "SSE.Controllers.Main.uploadImageSizeMessage": "Dimensiunea imaginii depășește limita maximă.", - "SSE.Controllers.Main.uploadImageTextText": "Încărcarea imaginii...", - "SSE.Controllers.Main.uploadImageTitleText": "Încărcarea imaginii", - "SSE.Controllers.Main.waitText": "Vă rugăm să așteptați...", - "SSE.Controllers.Main.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.", - "SSE.Controllers.Main.warnLicenseExp": "Licența dvs. a expirat.
Licența urmează să fie reînnoită iar pagina reîmprospătată.", - "SSE.Controllers.Main.warnLicenseLimitedNoAccess": "Licența dvs. a expirat.
Nu aveți acces la funcții de editare a documentului.
Contactați administratorul dvs. de rețeea.", - "SSE.Controllers.Main.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.", - "SSE.Controllers.Main.warnLicenseUsersExceeded": "Ați atins numărul maxim de utilizatori al %1 editoare. Pentru detalii, contactați administratorul dvs.", - "SSE.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.", - "SSE.Controllers.Main.warnNoLicenseUsers": "Ați atins numărul maxim de utilizatori al %1 editoare. Contactați Grup Vânzări %1 pentru acordarea condițiilor personale de licențiere.", - "SSE.Controllers.Main.warnProcessRightsChange": "Accesul la editarea fișierului refuzat.", - "SSE.Controllers.Search.textNoTextFound": "Textul nu a fost găsit", - "SSE.Controllers.Search.textReplaceAll": "Înlocuire peste tot", - "SSE.Controllers.Settings.notcriticalErrorTitle": "Avertisment", - "SSE.Controllers.Settings.txtDe": "Germană", - "SSE.Controllers.Settings.txtEn": "Engleză", - "SSE.Controllers.Settings.txtEs": "Spaniolă", - "SSE.Controllers.Settings.txtFr": "Franceză", - "SSE.Controllers.Settings.txtIt": "Italiană", - "SSE.Controllers.Settings.txtPl": "Poloneză", - "SSE.Controllers.Settings.txtRu": "Rusă", - "SSE.Controllers.Settings.warnDownloadAs": "Dacă salvați în acest format de fișier, este posibil ca unele dintre caracteristici să se piardă, cu excepția textului.
Sunteți sigur că doriți să continuați?", - "SSE.Controllers.Statusbar.cancelButtonText": "Revocare", - "SSE.Controllers.Statusbar.errNameExists": "O foaie de calcul cu același nume există deja.", - "SSE.Controllers.Statusbar.errNameWrongChar": "Numele foilor de calcul nu pot să conțină următoarele caractere: \\, /, *, ?, [, ], :", - "SSE.Controllers.Statusbar.errNotEmpty": "Nu lăsați numele foii necompletat", - "SSE.Controllers.Statusbar.errorLastSheet": "În registrul de calcul trebuie să fie vizibilă cel puțin o foie de lucru. ", - "SSE.Controllers.Statusbar.errorRemoveSheet": "Foaia de calcul nu poate fi ștearsă.", - "SSE.Controllers.Statusbar.menuDelete": "Ștergere", - "SSE.Controllers.Statusbar.menuDuplicate": "Dubluri", - "SSE.Controllers.Statusbar.menuHide": "Ascunde", - "SSE.Controllers.Statusbar.menuMore": "Mai multe", - "SSE.Controllers.Statusbar.menuRename": "Redenumire", - "SSE.Controllers.Statusbar.menuUnhide": "Reafișare", - "SSE.Controllers.Statusbar.notcriticalErrorTitle": "Avertisment", - "SSE.Controllers.Statusbar.strRenameSheet": "Redenumire foaie", - "SSE.Controllers.Statusbar.strSheet": "Foaie", - "SSE.Controllers.Statusbar.strSheetName": "Numele foii", - "SSE.Controllers.Statusbar.textExternalLink": "Link extern", - "SSE.Controllers.Statusbar.warnDeleteSheet": "Foile de calcul selectate pot conține datele. Sigur doriți să continuați?", - "SSE.Controllers.Toolbar.dlgLeaveMsgText": "Nu ați salvat modificările din documentul. Faceți clic pe Rămâi în pagină și așteptați salvarea automată. Faceți clic pe Părăsește această pagina ca să renunțați la toate modificările nesalvate.", - "SSE.Controllers.Toolbar.dlgLeaveTitleText": "Dumneavoastră părăsiți aplicația", - "SSE.Controllers.Toolbar.leaveButtonText": "Părăsește această pagina", - "SSE.Controllers.Toolbar.stayButtonText": "Rămâi în pagină", - "SSE.Views.AddFunction.sCatDateAndTime": "Dată și oră", - "SSE.Views.AddFunction.sCatEngineering": "Inginerie", - "SSE.Views.AddFunction.sCatFinancial": "Financiar", - "SSE.Views.AddFunction.sCatInformation": "Informații", - "SSE.Views.AddFunction.sCatLogical": "Logic", - "SSE.Views.AddFunction.sCatLookupAndReference": "Căutare și referință", - "SSE.Views.AddFunction.sCatMathematic": "Funcții matematice și trigonometrice", - "SSE.Views.AddFunction.sCatStatistical": "Funcții statistice", - "SSE.Views.AddFunction.sCatTextAndData": "Text și date", - "SSE.Views.AddFunction.textBack": "Înapoi", - "SSE.Views.AddFunction.textGroups": "Categorii", - "SSE.Views.AddLink.textAddLink": "Adăugare link", - "SSE.Views.AddLink.textAddress": "Adresă", - "SSE.Views.AddLink.textDisplay": "Afișare", - "SSE.Views.AddLink.textExternalLink": "Link extern", - "SSE.Views.AddLink.textInsert": "Inserare", - "SSE.Views.AddLink.textInternalLink": "Zonă de date internă", - "SSE.Views.AddLink.textLink": "Link", - "SSE.Views.AddLink.textLinkType": "Tip link", - "SSE.Views.AddLink.textRange": "Zona", - "SSE.Views.AddLink.textRequired": "Obligatoriu", - "SSE.Views.AddLink.textSelectedRange": "Zona selectată", - "SSE.Views.AddLink.textSheet": "Foaie", - "SSE.Views.AddLink.textTip": "Sfaturi ecran", - "SSE.Views.AddOther.textAddComment": "Adaugă comentariu", - "SSE.Views.AddOther.textAddress": "Adresă", - "SSE.Views.AddOther.textBack": "Înapoi", - "SSE.Views.AddOther.textComment": "Comentariu", - "SSE.Views.AddOther.textDone": "Gata", - "SSE.Views.AddOther.textFilter": "Filtrare", - "SSE.Views.AddOther.textFromLibrary": "Imagine dintr-o bibliotecă ", - "SSE.Views.AddOther.textFromURL": "Imaginea prin URL", - "SSE.Views.AddOther.textImageURL": "URL-ul imaginii", - "SSE.Views.AddOther.textInsert": "Inserare", - "SSE.Views.AddOther.textInsertImage": "Inserare imagine", - "SSE.Views.AddOther.textLink": "Link", - "SSE.Views.AddOther.textLinkSettings": "Configurarea link", - "SSE.Views.AddOther.textSort": "Sortare și filtrare", - "SSE.Views.EditCell.textAccounting": "Contabilitate", - "SSE.Views.EditCell.textAddCustomColor": "Adăugarea unei culori particularizate", - "SSE.Views.EditCell.textAlignBottom": "Aliniere jos", - "SSE.Views.EditCell.textAlignCenter": "Aliniere la centru", - "SSE.Views.EditCell.textAlignLeft": "Aliniere la stânga", - "SSE.Views.EditCell.textAlignMiddle": "Aliniere la mijloc", - "SSE.Views.EditCell.textAlignRight": "Aliniere la dreapta", - "SSE.Views.EditCell.textAlignTop": "Aliniere sus", - "SSE.Views.EditCell.textAllBorders": "Toate borduri", - "SSE.Views.EditCell.textAngleClockwise": "Unghi de rotație în sens orar", - "SSE.Views.EditCell.textAngleCounterclockwise": "Unghi de rotație în sens antiorar", - "SSE.Views.EditCell.textBack": "Înapoi", - "SSE.Views.EditCell.textBorderStyle": "Stil bordură", - "SSE.Views.EditCell.textBottomBorder": "Bordura de jos", - "SSE.Views.EditCell.textCellStyle": "Stil celula", - "SSE.Views.EditCell.textCharacterBold": "A", - "SSE.Views.EditCell.textCharacterItalic": "C", - "SSE.Views.EditCell.textCharacterUnderline": "S", - "SSE.Views.EditCell.textColor": "Culoare", - "SSE.Views.EditCell.textCurrency": "Monedă", - "SSE.Views.EditCell.textCustomColor": "Culoare particularizată", - "SSE.Views.EditCell.textDate": "Data", - "SSE.Views.EditCell.textDiagDownBorder": "Bordură diagonală descendentă", - "SSE.Views.EditCell.textDiagUpBorder": "Bordură diagonală ascendentă", - "SSE.Views.EditCell.textDollar": "Dolar", - "SSE.Views.EditCell.textEuro": "Euro", - "SSE.Views.EditCell.textFillColor": "Culoare umplere", - "SSE.Views.EditCell.textFonts": "Fonturi", - "SSE.Views.EditCell.textFormat": "Format", - "SSE.Views.EditCell.textGeneral": "General", - "SSE.Views.EditCell.textHorizontalText": "Text orizontal", - "SSE.Views.EditCell.textInBorders": "Borduri în interiorul ", - "SSE.Views.EditCell.textInHorBorder": "Bordură orizontală în interiorul ", - "SSE.Views.EditCell.textInteger": "Număr întreg", - "SSE.Views.EditCell.textInVertBorder": "Bordură verticală în interiorul ", - "SSE.Views.EditCell.textJustified": "Aliniat stânga-dreapta", - "SSE.Views.EditCell.textLeftBorder": "Bordură din stânga", - "SSE.Views.EditCell.textMedium": "Mediu", - "SSE.Views.EditCell.textNoBorder": "Fără bordură", - "SSE.Views.EditCell.textNumber": "Număr", - "SSE.Views.EditCell.textPercentage": "Procentaj", - "SSE.Views.EditCell.textPound": "Pound", - "SSE.Views.EditCell.textRightBorder": "Bordură din dreapta", - "SSE.Views.EditCell.textRotateTextDown": "Rotirea textului în jos", - "SSE.Views.EditCell.textRotateTextUp": "Rotirea textului în sus", - "SSE.Views.EditCell.textRouble": "Rouble", - "SSE.Views.EditCell.textScientific": "Științific ", - "SSE.Views.EditCell.textSize": "Dimensiune", - "SSE.Views.EditCell.textText": "Text", - "SSE.Views.EditCell.textTextColor": "Culoare text", - "SSE.Views.EditCell.textTextFormat": "Format text", - "SSE.Views.EditCell.textTextOrientation": "Orientarea textului", - "SSE.Views.EditCell.textThick": "Groasă", - "SSE.Views.EditCell.textThin": "Subțire", - "SSE.Views.EditCell.textTime": "Oră", - "SSE.Views.EditCell.textTopBorder": "Bordură de sus", - "SSE.Views.EditCell.textVerticalText": "Text vertical", - "SSE.Views.EditCell.textWrapText": "Incadrarea textului", - "SSE.Views.EditCell.textYen": "Yen", - "SSE.Views.EditChart.textAddCustomColor": "Adăugarea unei culori particularizate", - "SSE.Views.EditChart.textAuto": "Auto", - "SSE.Views.EditChart.textAxisCrosses": "Intersecția cu axă", - "SSE.Views.EditChart.textAxisOptions": "Opțiuni axă", - "SSE.Views.EditChart.textAxisPosition": "Poziție axă", - "SSE.Views.EditChart.textAxisTitle": "Titlu axă", - "SSE.Views.EditChart.textBack": "Înapoi", - "SSE.Views.EditChart.textBackward": "Mutare în ultimul plan", - "SSE.Views.EditChart.textBorder": "Bordură", - "SSE.Views.EditChart.textBottom": "Jos", - "SSE.Views.EditChart.textChart": "Diagramă", - "SSE.Views.EditChart.textChartTitle": "Titlu diagramă", - "SSE.Views.EditChart.textColor": "Culoare", - "SSE.Views.EditChart.textCrossesValue": "Punct de traversare", - "SSE.Views.EditChart.textCustomColor": "Culoare particularizată", - "SSE.Views.EditChart.textDataLabels": "Etichetele de date", - "SSE.Views.EditChart.textDesign": "Proiectare", - "SSE.Views.EditChart.textDisplayUnits": "Unități de afișare", - "SSE.Views.EditChart.textFill": "Umplere", - "SSE.Views.EditChart.textForward": "Deplasare înainte", - "SSE.Views.EditChart.textGridlines": "Linii de grilă", - "SSE.Views.EditChart.textHorAxis": "Axă orizontală", - "SSE.Views.EditChart.textHorizontal": "Orizontală", - "SSE.Views.EditChart.textLabelOptions": "Opțiuni etichetă", - "SSE.Views.EditChart.textLabelPos": "Amplasare etichetă", - "SSE.Views.EditChart.textLayout": "Aspect", - "SSE.Views.EditChart.textLeft": "Stânga", - "SSE.Views.EditChart.textLeftOverlay": "Suprapunere din stânga", - "SSE.Views.EditChart.textLegend": "Legenda", - "SSE.Views.EditChart.textMajor": "Major", - "SSE.Views.EditChart.textMajorMinor": "Major și minor", - "SSE.Views.EditChart.textMajorType": "Tip major", - "SSE.Views.EditChart.textMaxValue": "Limita maximă", - "SSE.Views.EditChart.textMinor": "Minor", - "SSE.Views.EditChart.textMinorType": "Tip minor", - "SSE.Views.EditChart.textMinValue": "Limita minimă", - "SSE.Views.EditChart.textNone": "Niciunul", - "SSE.Views.EditChart.textNoOverlay": "Fără suprapunere", - "SSE.Views.EditChart.textOverlay": "Suprapunere", - "SSE.Views.EditChart.textRemoveChart": "Ștergere diagrama", - "SSE.Views.EditChart.textReorder": "Reordonare", - "SSE.Views.EditChart.textRight": "Dreapta", - "SSE.Views.EditChart.textRightOverlay": "Suprapunerea din dreapta", - "SSE.Views.EditChart.textRotated": "Rotit", - "SSE.Views.EditChart.textSize": "Dimensiune", - "SSE.Views.EditChart.textStyle": "Stil", - "SSE.Views.EditChart.textTickOptions": "Opțiuni gradație", - "SSE.Views.EditChart.textToBackground": "Trimitere în plan secundar", - "SSE.Views.EditChart.textToForeground": "Aducere în prim plan", - "SSE.Views.EditChart.textTop": "Sus", - "SSE.Views.EditChart.textType": "Tip", - "SSE.Views.EditChart.textValReverseOrder": "Valori în ordine inversă ", - "SSE.Views.EditChart.textVerAxis": "Axa verticală", - "SSE.Views.EditChart.textVertical": "Verticală", - "SSE.Views.EditHyperlink.textBack": "Înapoi", - "SSE.Views.EditHyperlink.textDisplay": "Afișare", - "SSE.Views.EditHyperlink.textEditLink": "Editare link", - "SSE.Views.EditHyperlink.textExternalLink": "Link extern", - "SSE.Views.EditHyperlink.textInternalLink": "Zonă de date internă", - "SSE.Views.EditHyperlink.textLink": "Link", - "SSE.Views.EditHyperlink.textLinkType": "Tip link", - "SSE.Views.EditHyperlink.textRange": "Zona", - "SSE.Views.EditHyperlink.textRemoveLink": "Ștergere link", - "SSE.Views.EditHyperlink.textScreenTip": "Sfaturi ecran", - "SSE.Views.EditHyperlink.textSheet": "Foaie", - "SSE.Views.EditImage.textAddress": "Adresă", - "SSE.Views.EditImage.textBack": "Înapoi", - "SSE.Views.EditImage.textBackward": "Mutare în ultimul plan", - "SSE.Views.EditImage.textDefault": "Dimensiunea reală", - "SSE.Views.EditImage.textForward": "Deplasare înainte", - "SSE.Views.EditImage.textFromLibrary": "Imagine dintr-o bibliotecă ", - "SSE.Views.EditImage.textFromURL": "Imaginea prin URL", - "SSE.Views.EditImage.textImageURL": "URL-ul imaginii", - "SSE.Views.EditImage.textLinkSettings": "Configurarea link", - "SSE.Views.EditImage.textRemove": "Ștergere imagine", - "SSE.Views.EditImage.textReorder": "Reordonare", - "SSE.Views.EditImage.textReplace": "Înlocuire", - "SSE.Views.EditImage.textReplaceImg": "Înlocuire imagine", - "SSE.Views.EditImage.textToBackground": "Trimitere în plan secundar", - "SSE.Views.EditImage.textToForeground": "Aducere în prim plan", - "SSE.Views.EditShape.textAddCustomColor": "Adăugarea unei culori particularizate", - "SSE.Views.EditShape.textBack": "Înapoi", - "SSE.Views.EditShape.textBackward": "Mutare în ultimul plan", - "SSE.Views.EditShape.textBorder": "Bordură", - "SSE.Views.EditShape.textColor": "Culoare", - "SSE.Views.EditShape.textCustomColor": "Culoare particularizată", - "SSE.Views.EditShape.textEffects": "Efecte", - "SSE.Views.EditShape.textFill": "Umplere", - "SSE.Views.EditShape.textForward": "Deplasare înainte", - "SSE.Views.EditShape.textOpacity": "Transparență", - "SSE.Views.EditShape.textRemoveShape": "Stergere forma", - "SSE.Views.EditShape.textReorder": "Reordonare", - "SSE.Views.EditShape.textReplace": "Înlocuire", - "SSE.Views.EditShape.textSize": "Dimensiune", - "SSE.Views.EditShape.textStyle": "Stil", - "SSE.Views.EditShape.textToBackground": "Trimitere în plan secundar", - "SSE.Views.EditShape.textToForeground": "Aducere în prim plan", - "SSE.Views.EditText.textAddCustomColor": "Adăugarea unei culori particularizate", - "SSE.Views.EditText.textBack": "Înapoi", - "SSE.Views.EditText.textCharacterBold": "A", - "SSE.Views.EditText.textCharacterItalic": "C", - "SSE.Views.EditText.textCharacterUnderline": "S", - "SSE.Views.EditText.textCustomColor": "Culoare particularizată", - "SSE.Views.EditText.textFillColor": "Culoare umplere", - "SSE.Views.EditText.textFonts": "Fonturi", - "SSE.Views.EditText.textSize": "Dimensiune", - "SSE.Views.EditText.textTextColor": "Culoare text", - "SSE.Views.FilterOptions.textClearFilter": "Golire filtru", - "SSE.Views.FilterOptions.textDeleteFilter": "Eliminare filtru", - "SSE.Views.FilterOptions.textFilter": "Opțiuni filtrare", - "SSE.Views.Search.textByColumns": "După coloană", - "SSE.Views.Search.textByRows": "După rând", - "SSE.Views.Search.textDone": "Gata", - "SSE.Views.Search.textFind": "Găsire", - "SSE.Views.Search.textFindAndReplace": "Găsire și înlocuire", - "SSE.Views.Search.textFormulas": "Formule", - "SSE.Views.Search.textHighlightRes": "Evidențierea rezultatelor", - "SSE.Views.Search.textLookIn": "Domenii de căutare", - "SSE.Views.Search.textMatchCase": "Potrivire litere mari și mici", - "SSE.Views.Search.textMatchCell": "Potrivire celulă", - "SSE.Views.Search.textReplace": "Înlocuire", - "SSE.Views.Search.textSearch": "Căutare", - "SSE.Views.Search.textSearchBy": "Căutare", - "SSE.Views.Search.textSearchIn": "Găsire în", - "SSE.Views.Search.textSheet": "Foaie", - "SSE.Views.Search.textValues": "Valori", - "SSE.Views.Search.textWorkbook": "Registru de calcul", - "SSE.Views.Settings.textAbout": "Informații", - "SSE.Views.Settings.textAddress": "adresă", - "SSE.Views.Settings.textApplication": "Aplicația", - "SSE.Views.Settings.textApplicationSettings": "Setări Aplicație", - "SSE.Views.Settings.textAuthor": "Autor", - "SSE.Views.Settings.textBack": "Înapoi", - "SSE.Views.Settings.textBottom": "Jos", - "SSE.Views.Settings.textCentimeter": "Centimetru", - "SSE.Views.Settings.textCollaboration": "Colaborare", - "SSE.Views.Settings.textColorSchemes": "Schema de culori", - "SSE.Views.Settings.textComment": "Comentariu", - "SSE.Views.Settings.textCommentingDisplay": "Afișare comentarii", - "SSE.Views.Settings.textCreated": "A fost creat", - "SSE.Views.Settings.textCreateDate": "Creat la", - "SSE.Views.Settings.textCustom": "Particularizat", - "SSE.Views.Settings.textCustomSize": "Dimensiunea particularizată", - "SSE.Views.Settings.textDisableAll": "Se dezactivează toate", - "SSE.Views.Settings.textDisableAllMacrosWithNotification": "Se dezactivează toate macrocomenzile, cu notificare", - "SSE.Views.Settings.textDisableAllMacrosWithoutNotification": "Se dezactivează toate macrocomenzile, fără notificare", - "SSE.Views.Settings.textDisplayComments": "Comentarii", - "SSE.Views.Settings.textDisplayResolvedComments": "Comentarii rezolvate", - "SSE.Views.Settings.textDocInfo": "Informații despre foaie de calcul", - "SSE.Views.Settings.textDocTitle": "Titlu foaie de calcul", - "SSE.Views.Settings.textDone": "Gata", - "SSE.Views.Settings.textDownload": "Descărcare", - "SSE.Views.Settings.textDownloadAs": "Descărcare ca...", - "SSE.Views.Settings.textEditDoc": "Editare document", - "SSE.Views.Settings.textEmail": "e-mail", - "SSE.Views.Settings.textEnableAll": "Se activează toate", - "SSE.Views.Settings.textEnableAllMacrosWithoutNotification": "Se activează toate macrocomenzile, fără notificare", - "SSE.Views.Settings.textExample": "Exemplu", - "SSE.Views.Settings.textFind": "Găsire", - "SSE.Views.Settings.textFindAndReplace": "Găsire și înlocuire", - "SSE.Views.Settings.textFormat": "Format", - "SSE.Views.Settings.textFormulaLanguage": "Limba formulă", - "SSE.Views.Settings.textHelp": "Asistență", - "SSE.Views.Settings.textHideGridlines": "Ascundere linii de grilă", - "SSE.Views.Settings.textHideHeadings": "Ascundere titluri", - "SSE.Views.Settings.textInch": "Inch", - "SSE.Views.Settings.textLandscape": "Vedere", - "SSE.Views.Settings.textLastModified": "Data ultimei modificări", - "SSE.Views.Settings.textLastModifiedBy": "Modificat ultima dată de către", - "SSE.Views.Settings.textLeft": "Stânga", - "SSE.Views.Settings.textLoading": "Se incarca...", - "SSE.Views.Settings.textLocation": "Locația", - "SSE.Views.Settings.textMacrosSettings": "Setări macrocomandă", - "SSE.Views.Settings.textMargins": "Margini", - "SSE.Views.Settings.textOrientation": "Orientare", - "SSE.Views.Settings.textOwner": "Posesor", - "SSE.Views.Settings.textPoint": "Point", - "SSE.Views.Settings.textPortrait": "Portret", - "SSE.Views.Settings.textPoweredBy": "Dezvoltat de", - "SSE.Views.Settings.textPrint": "Imprimare", - "SSE.Views.Settings.textR1C1Style": "Stilul de referință R1C1", - "SSE.Views.Settings.textRegionalSettings": "Setări regionale", - "SSE.Views.Settings.textRight": "Dreapta", - "SSE.Views.Settings.textSettings": "Setări", - "SSE.Views.Settings.textShowNotification": "Afișare notificări", - "SSE.Views.Settings.textSpreadsheetFormats": "Formate foii de calcul", - "SSE.Views.Settings.textSpreadsheetSettings": "Setări foaie de calcul", - "SSE.Views.Settings.textSubject": "Subiect", - "SSE.Views.Settings.textTel": "tel", - "SSE.Views.Settings.textTitle": "Titlu", - "SSE.Views.Settings.textTop": "Sus", - "SSE.Views.Settings.textUnitOfMeasurement": "Unitate de măsură ", - "SSE.Views.Settings.textUploaded": "S-a încărcat", - "SSE.Views.Settings.textVersion": "Versiune", - "SSE.Views.Settings.unknownText": "Necunoscut", - "SSE.Views.Toolbar.textBack": "Înapoi" + "About": { + "textAbout": "Despre", + "textAddress": "Adresă" + }, + "Common": { + "Collaboration": { + "textAddComment": "Adaugă comentariu", + "textAddReply": "Adăugare răspuns" + } + }, + "ContextMenu": { + "menuAddComment": "Adaugă comentariu", + "menuAddLink": "Adăugare link" + }, + "Controller": { + "Main": { + "SDK": { + "txtAccent": "Accent" + } + } + }, + "Statusbar": { + "textErrNameWrongChar": "Numele foilor de calcul nu pot să conțină următoarele caractere: \\, /, *, ?, [, ], :" + }, + "View": { + "Add": { + "textAddLink": "Adăugare link", + "textAddress": "Adresă" + }, + "Edit": { + "textAccounting": "Contabilitate", + "textActualSize": "Dimensiunea reală", + "textAddCustomColor": "Adăugarea unei culori particularizate", + "textAddress": "Adresă", + "textAlign": "Aliniere", + "textAlignBottom": "Aliniere jos", + "textAlignCenter": "Aliniere la centru", + "textAlignLeft": "Aliniere la stânga", + "textAlignMiddle": "Aliniere la mijloc", + "textAlignRight": "Aliniere la dreapta", + "textAlignTop": "Aliniere sus", + "textAllBorders": "Toate borduri", + "textEmptyItem": "{Necompletat}", + "textHundredMil": "100 000 000", + "textHundredThousands": "100 000", + "textRightBorder": "Bordură din dreapta", + "textTenMillions": "10 000 000", + "textTenThousands": "10 000" + }, + "Settings": { + "textAbout": "Despre", + "textAddress": "Adresă" + } + } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/ru.json b/apps/spreadsheeteditor/mobile/locale/ru.json index 25f315c1f..168af564d 100644 --- a/apps/spreadsheeteditor/mobile/locale/ru.json +++ b/apps/spreadsheeteditor/mobile/locale/ru.json @@ -1,661 +1,576 @@ -{ - "Common.Controllers.Collaboration.textAddReply": "Добавить ответ", - "Common.Controllers.Collaboration.textCancel": "Отмена", - "Common.Controllers.Collaboration.textDeleteComment": "Удалить комментарий", - "Common.Controllers.Collaboration.textDeleteReply": "Удалить ответ", - "Common.Controllers.Collaboration.textDone": "Готово", - "Common.Controllers.Collaboration.textEdit": "Редактировать", - "Common.Controllers.Collaboration.textEditUser": "Пользователи, редактирующие документ:", - "Common.Controllers.Collaboration.textMessageDeleteComment": "Вы действительно хотите удалить этот комментарий?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "Вы действительно хотите удалить этот ответ?", - "Common.Controllers.Collaboration.textReopen": "Переоткрыть", - "Common.Controllers.Collaboration.textResolve": "Решить", - "Common.Controllers.Collaboration.textYes": "Да", - "Common.UI.ThemeColorPalette.textCustomColors": "Пользовательские цвета", - "Common.UI.ThemeColorPalette.textStandartColors": "Стандартные цвета", - "Common.UI.ThemeColorPalette.textThemeColors": "Цвета темы", - "Common.Utils.Metric.txtCm": "см", - "Common.Utils.Metric.txtPt": "пт", - "Common.Views.Collaboration.textAddReply": "Добавить ответ", - "Common.Views.Collaboration.textBack": "Назад", - "Common.Views.Collaboration.textCancel": "Отмена", - "Common.Views.Collaboration.textCollaboration": "Совместная работа", - "Common.Views.Collaboration.textDone": "Готово", - "Common.Views.Collaboration.textEditReply": "Редактировать ответ", - "Common.Views.Collaboration.textEditUsers": "Пользователи", - "Common.Views.Collaboration.textEditСomment": "Редактировать комментарий", - "Common.Views.Collaboration.textNoComments": "Эта таблица не содержит комментариев", - "Common.Views.Collaboration.textСomments": "Комментарии", - "SSE.Controllers.AddChart.txtDiagramTitle": "Заголовок диаграммы", - "SSE.Controllers.AddChart.txtSeries": "Ряд", - "SSE.Controllers.AddChart.txtXAxis": "Ось X", - "SSE.Controllers.AddChart.txtYAxis": "Ось Y", - "SSE.Controllers.AddContainer.textChart": "Диаграмма", - "SSE.Controllers.AddContainer.textFormula": "Функция", - "SSE.Controllers.AddContainer.textImage": "Рисунок", - "SSE.Controllers.AddContainer.textOther": "Другое", - "SSE.Controllers.AddContainer.textShape": "Фигура", - "SSE.Controllers.AddLink.notcriticalErrorTitle": "Внимание", - "SSE.Controllers.AddLink.textInvalidRange": "ОШИБКА! Недопустимый диапазон ячеек", - "SSE.Controllers.AddLink.txtNotUrl": "Это поле должно быть URL-адресом в формате 'http://www.example.com'", - "SSE.Controllers.AddOther.notcriticalErrorTitle": "Внимание", - "SSE.Controllers.AddOther.textCancel": "Отмена", - "SSE.Controllers.AddOther.textContinue": "Продолжить", - "SSE.Controllers.AddOther.textDelete": "Удалить", - "SSE.Controllers.AddOther.textDeleteDraft": "Вы действительно хотите удалить черновик?", - "SSE.Controllers.AddOther.textEmptyImgUrl": "Необходимо указать URL рисунка.", - "SSE.Controllers.AddOther.txtNotUrl": "Это поле должно быть URL-адресом в формате 'http://www.example.com'", - "SSE.Controllers.DocumentHolder.errorCopyCutPaste": "Операции копирования, вырезания и вставки с помощью контекстного меню будут выполняться только в текущем файле.", - "SSE.Controllers.DocumentHolder.errorInvalidLink": "Ссылка указывает на несуществующую ячейку. Исправьте или удалите ссылку.", - "SSE.Controllers.DocumentHolder.menuAddComment": "Добавить комментарий", - "SSE.Controllers.DocumentHolder.menuAddLink": "Добавить ссылку", - "SSE.Controllers.DocumentHolder.menuCell": "Ячейка", - "SSE.Controllers.DocumentHolder.menuCopy": "Копировать", - "SSE.Controllers.DocumentHolder.menuCut": "Вырезать", - "SSE.Controllers.DocumentHolder.menuDelete": "Удалить", - "SSE.Controllers.DocumentHolder.menuEdit": "Редактировать", - "SSE.Controllers.DocumentHolder.menuFreezePanes": "Закрепить области", - "SSE.Controllers.DocumentHolder.menuHide": "Скрыть", - "SSE.Controllers.DocumentHolder.menuMerge": "Объединить", - "SSE.Controllers.DocumentHolder.menuMore": "Ещё", - "SSE.Controllers.DocumentHolder.menuOpenLink": "Перейти по ссылке", - "SSE.Controllers.DocumentHolder.menuPaste": "Вставить", - "SSE.Controllers.DocumentHolder.menuShow": "Показать", - "SSE.Controllers.DocumentHolder.menuUnfreezePanes": "Снять закрепление областей", - "SSE.Controllers.DocumentHolder.menuUnmerge": "Разбить", - "SSE.Controllers.DocumentHolder.menuUnwrap": "Убрать перенос", - "SSE.Controllers.DocumentHolder.menuViewComment": "Просмотреть комментарий", - "SSE.Controllers.DocumentHolder.menuWrap": "Перенос текста", - "SSE.Controllers.DocumentHolder.notcriticalErrorTitle": "Внимание", - "SSE.Controllers.DocumentHolder.sheetCancel": "Отмена", - "SSE.Controllers.DocumentHolder.textCopyCutPasteActions": "Операции копирования, вырезания и вставки", - "SSE.Controllers.DocumentHolder.textDoNotShowAgain": "Больше не показывать", - "SSE.Controllers.DocumentHolder.warnMergeLostData": "В объединенной ячейке останутся только данные из левой верхней ячейки.
Вы действительно хотите продолжить?", - "SSE.Controllers.EditCell.textAuto": "Авто", - "SSE.Controllers.EditCell.textFonts": "Шрифты", - "SSE.Controllers.EditCell.textPt": "пт", - "SSE.Controllers.EditChart.errorMaxRows": "ОШИБКА! Максимальное число рядов данных для одной диаграммы - 255.", - "SSE.Controllers.EditChart.errorStockChart": "Неверный порядок строк. Чтобы создать биржевую диаграмму, расположите данные на листе в следующем порядке:
цена открытия, максимальная цена, минимальная цена, цена закрытия.", - "SSE.Controllers.EditChart.textAuto": "Авто", - "SSE.Controllers.EditChart.textBetweenTickMarks": "Между делениями", - "SSE.Controllers.EditChart.textBillions": "Миллиарды", - "SSE.Controllers.EditChart.textBottom": "Снизу", - "SSE.Controllers.EditChart.textCenter": "По центру", - "SSE.Controllers.EditChart.textCross": "На пересечении", - "SSE.Controllers.EditChart.textCustom": "Особый", - "SSE.Controllers.EditChart.textFit": "По ширине", - "SSE.Controllers.EditChart.textFixed": "Фиксированное", - "SSE.Controllers.EditChart.textHigh": "Выше", - "SSE.Controllers.EditChart.textHorizontal": "По горизонтали", - "SSE.Controllers.EditChart.textHundredMil": "100 000 000", - "SSE.Controllers.EditChart.textHundreds": "Сотни", - "SSE.Controllers.EditChart.textHundredThousands": "100 000", - "SSE.Controllers.EditChart.textIn": "Внутри", - "SSE.Controllers.EditChart.textInnerBottom": "Внутри снизу", - "SSE.Controllers.EditChart.textInnerTop": "Внутри сверху", - "SSE.Controllers.EditChart.textLeft": "Слева", - "SSE.Controllers.EditChart.textLeftOverlay": "Наложение слева", - "SSE.Controllers.EditChart.textLow": "Ниже", - "SSE.Controllers.EditChart.textManual": "Вручную", - "SSE.Controllers.EditChart.textMaxValue": "Максимум", - "SSE.Controllers.EditChart.textMillions": "Миллионы", - "SSE.Controllers.EditChart.textMinValue": "Минимум", - "SSE.Controllers.EditChart.textNextToAxis": "Рядом с осью", - "SSE.Controllers.EditChart.textNone": "Нет", - "SSE.Controllers.EditChart.textNoOverlay": "Без наложения", - "SSE.Controllers.EditChart.textOnTickMarks": "Деления", - "SSE.Controllers.EditChart.textOut": "Снаружи", - "SSE.Controllers.EditChart.textOuterTop": "Снаружи сверху", - "SSE.Controllers.EditChart.textOverlay": "Наложение", - "SSE.Controllers.EditChart.textRight": "Справа", - "SSE.Controllers.EditChart.textRightOverlay": "Наложение справа", - "SSE.Controllers.EditChart.textRotated": "Повернутое", - "SSE.Controllers.EditChart.textTenMillions": "10 000 000", - "SSE.Controllers.EditChart.textTenThousands": "10 000", - "SSE.Controllers.EditChart.textThousands": "Тысячи", - "SSE.Controllers.EditChart.textTop": "Сверху", - "SSE.Controllers.EditChart.textTrillions": "Триллионы", - "SSE.Controllers.EditChart.textValue": "Значение", - "SSE.Controllers.EditContainer.textCell": "Ячейка", - "SSE.Controllers.EditContainer.textChart": "Диаграмма", - "SSE.Controllers.EditContainer.textHyperlink": "Гиперссылка", - "SSE.Controllers.EditContainer.textImage": "Рисунок", - "SSE.Controllers.EditContainer.textSettings": "Настройки", - "SSE.Controllers.EditContainer.textShape": "Фигура", - "SSE.Controllers.EditContainer.textTable": "Таблица", - "SSE.Controllers.EditContainer.textText": "Текст", - "SSE.Controllers.EditHyperlink.notcriticalErrorTitle": "Внимание", - "SSE.Controllers.EditHyperlink.textDefault": "Выбранный диапазон", - "SSE.Controllers.EditHyperlink.textEmptyImgUrl": "Необходимо указать URL рисунка.", - "SSE.Controllers.EditHyperlink.textExternalLink": "Внешняя ссылка", - "SSE.Controllers.EditHyperlink.textInternalLink": "Внутренний диапазон данных", - "SSE.Controllers.EditHyperlink.textInvalidRange": "Недопустимый диапазон ячеек", - "SSE.Controllers.EditHyperlink.txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"", - "SSE.Controllers.EditImage.notcriticalErrorTitle": "Внимание", - "SSE.Controllers.EditImage.textEmptyImgUrl": "Необходимо указать URL рисунка.", - "SSE.Controllers.EditImage.txtNotUrl": "Это поле должно быть URL-адресом в формате 'http://www.example.com'", - "SSE.Controllers.FilterOptions.textEmptyItem": "{Пустые}", - "SSE.Controllers.FilterOptions.textErrorMsg": "Необходимо выбрать хотя бы одно значение", - "SSE.Controllers.FilterOptions.textErrorTitle": "Внимание", - "SSE.Controllers.FilterOptions.textSelectAll": "Выделить всё", - "SSE.Controllers.Main.advCSVOptions": "Выбрать параметры CSV", - "SSE.Controllers.Main.advDRMEnterPassword": "Введите пароль:", - "SSE.Controllers.Main.advDRMOptions": "Защищенный файл", - "SSE.Controllers.Main.advDRMPassword": "Пароль", - "SSE.Controllers.Main.applyChangesTextText": "Загрузка данных...", - "SSE.Controllers.Main.applyChangesTitleText": "Загрузка данных", - "SSE.Controllers.Main.closeButtonText": "Закрыть файл", - "SSE.Controllers.Main.convertationTimeoutText": "Превышено время ожидания конвертации.", - "SSE.Controllers.Main.criticalErrorExtText": "Нажмите 'OK' для возврата к списку документов.", - "SSE.Controllers.Main.criticalErrorTitle": "Ошибка", - "SSE.Controllers.Main.downloadErrorText": "Загрузка не удалась.", - "SSE.Controllers.Main.downloadMergeText": "Загрузка...", - "SSE.Controllers.Main.downloadMergeTitle": "Загрузка", - "SSE.Controllers.Main.downloadTextText": "Загрузка таблицы...", - "SSE.Controllers.Main.downloadTitleText": "Загрузка таблицы", - "SSE.Controllers.Main.errorAccessDeny": "Вы пытаетесь выполнить действие, на которое у вас нет прав.
Пожалуйста, обратитесь к администратору Сервера документов.", - "SSE.Controllers.Main.errorArgsRange": "Ошибка во введенной формуле.
Использован неверный диапазон аргументов.", - "SSE.Controllers.Main.errorAutoFilterChange": "Операция не разрешена, поскольку предпринимается попытка сдвинуть ячейки таблицы на листе.", - "SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "Эту операцию нельзя выполнить для выделенных ячеек, поскольку нельзя переместить часть таблицы.
Выберите другой диапазон данных, чтобы перемещалась вся таблица, и повторите попытку.", - "SSE.Controllers.Main.errorAutoFilterDataRange": "Операция не может быть произведена для выбранного диапазона ячеек.
Выделите однородный диапазон данных, отличный от существующего, и повторите попытку.", - "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Операция не может быть произведена, так как область содержит отфильтрованные ячейки.
Выведите на экран скрытые фильтром элементы и повторите попытку.", - "SSE.Controllers.Main.errorBadImageUrl": "Неправильный URL-адрес рисунка", - "SSE.Controllers.Main.errorChangeArray": "Нельзя изменить часть массива.", - "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Потеряно соединение с сервером. В данный момент нельзя отредактировать документ.", - "SSE.Controllers.Main.errorConnectToServer": "Не удается сохранить документ. Проверьте параметры подключения или обратитесь к вашему администратору.
Когда вы нажмете на кнопку 'OK', вам будет предложено скачать документ.", - "SSE.Controllers.Main.errorCopyMultiselectArea": "Данная команда неприменима для несвязных диапазонов.
Выберите один диапазон и повторите попытку.", - "SSE.Controllers.Main.errorCountArg": "Ошибка во введенной формуле.
Использовано неверное количество аргументов.", - "SSE.Controllers.Main.errorCountArgExceed": "Ошибка во введенной формуле.
Превышено количество аргументов.", - "SSE.Controllers.Main.errorCreateDefName": "В настоящий момент нельзя отредактировать существующие именованные диапазоны и создать новые,
так как некоторые из них редактируются.", - "SSE.Controllers.Main.errorDatabaseConnection": "Внешняя ошибка.
Ошибка подключения к базе данных. Если ошибка повторяется, пожалуйста, обратитесь в службу поддержки.", - "SSE.Controllers.Main.errorDataEncrypted": "Получены зашифрованные изменения, их нельзя расшифровать.", - "SSE.Controllers.Main.errorDataRange": "Некорректный диапазон данных.", - "SSE.Controllers.Main.errorDataValidate": "Введенное значение недопустимо.
Значения, которые можно ввести в эту ячейку, ограничены.", - "SSE.Controllers.Main.errorDefaultMessage": "Код ошибки: %1", - "SSE.Controllers.Main.errorEditingDownloadas": "В ходе работы с документом произошла ошибка.
Используйте опцию 'Скачать', чтобы сохранить резервную копию файла на жестком диске компьютера.", - "SSE.Controllers.Main.errorFilePassProtect": "Файл защищен паролем и не может быть открыт.", - "SSE.Controllers.Main.errorFileRequest": "Внешняя ошибка.
Ошибка запроса файла. Если ошибка повторяется, пожалуйста, обратитесь в службу поддержки.", - "SSE.Controllers.Main.errorFileSizeExceed": "Размер файла превышает ограничение, установленное для вашего сервера.
Обратитесь к администратору Сервера документов для получения дополнительной информации.", - "SSE.Controllers.Main.errorFileVKey": "Внешняя ошибка.
Неверный ключ безопасности. Если ошибка повторяется, пожалуйста, обратитесь в службу поддержки.", - "SSE.Controllers.Main.errorFillRange": "Не удается заполнить выбранный диапазон ячеек.
Все объединенные ячейки должны быть одного размера.", - "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.errorInvalidRef": "Введите корректное имя для выделенного диапазона или допустимую ссылку для перехода.", - "SSE.Controllers.Main.errorKeyEncrypt": "Неизвестный дескриптор ключа", - "SSE.Controllers.Main.errorKeyExpire": "Срок действия дескриптора ключа истек", - "SSE.Controllers.Main.errorLockedAll": "Операция не может быть произведена, так как лист заблокирован другим пользователем.", - "SSE.Controllers.Main.errorLockedCellPivot": "Нельзя изменить данные в сводной таблице.", - "SSE.Controllers.Main.errorLockedWorksheetRename": "В настоящее время лист нельзя переименовать, так как его переименовывает другой пользователь", - "SSE.Controllers.Main.errorMailMergeLoadFile": "Загрузка документа не удалась. Выберите другой файл.", - "SSE.Controllers.Main.errorMailMergeSaveFile": "Не удалось выполнить слияние.", - "SSE.Controllers.Main.errorMaxPoints": "Максимальное число точек в серии для диаграммы составляет 4096.", - "SSE.Controllers.Main.errorMoveRange": "Нельзя изменить часть объединенной ячейки", - "SSE.Controllers.Main.errorMultiCellFormula": "Формулы массива с несколькими ячейками не разрешаются в таблицах.", - "SSE.Controllers.Main.errorOpensource": "Используя бесплатную версию Community, вы можете открывать документы только на просмотр. Для доступа к мобильным веб-редакторам требуется коммерческая лицензия.", - "SSE.Controllers.Main.errorOpenWarning": "Одна из формул в файле превышает ограничение в 8192 символа.
Формула была удалена.", - "SSE.Controllers.Main.errorOperandExpected": "Синтаксис введенной функции некорректен. Проверьте, не пропущена ли одна из скобок - '(' или ')'.", - "SSE.Controllers.Main.errorPasteMaxRange": "Область копирования не соответствует области вставки.
Для вставки скопированных ячеек выделите область такого же размера или щелкните по первой ячейке в строке.", - "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.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.errorWrongBracketsCount": "Ошибка во введенной формуле.
Использовано неверное количество скобок.", - "SSE.Controllers.Main.errorWrongOperator": "Ошибка во введенной формуле. Использован неправильный оператор.
Пожалуйста, исправьте ошибку.", - "SSE.Controllers.Main.leavePageText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения документа. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.", - "SSE.Controllers.Main.loadFontsTextText": "Загрузка данных...", - "SSE.Controllers.Main.loadFontsTitleText": "Загрузка данных", - "SSE.Controllers.Main.loadFontTextText": "Загрузка данных...", - "SSE.Controllers.Main.loadFontTitleText": "Загрузка данных", - "SSE.Controllers.Main.loadImagesTextText": "Загрузка рисунков...", - "SSE.Controllers.Main.loadImagesTitleText": "Загрузка рисунков", - "SSE.Controllers.Main.loadImageTextText": "Загрузка рисунка...", - "SSE.Controllers.Main.loadImageTitleText": "Загрузка рисунка", - "SSE.Controllers.Main.loadingDocumentTextText": "Загрузка таблицы...", - "SSE.Controllers.Main.loadingDocumentTitleText": "Загрузка таблицы", - "SSE.Controllers.Main.mailMergeLoadFileText": "Загрузка источника данных...", - "SSE.Controllers.Main.mailMergeLoadFileTitle": "Загрузка источника данных", - "SSE.Controllers.Main.notcriticalErrorTitle": "Внимание", - "SSE.Controllers.Main.openErrorText": "При открытии файла произошла ошибка.", - "SSE.Controllers.Main.openTextText": "Открытие документа...", - "SSE.Controllers.Main.openTitleText": "Открытие документа", - "SSE.Controllers.Main.pastInMergeAreaError": "Нельзя изменить часть объединенной ячейки", - "SSE.Controllers.Main.printTextText": "Печать документа...", - "SSE.Controllers.Main.printTitleText": "Печать документа", - "SSE.Controllers.Main.reloadButtonText": "Обновить страницу", - "SSE.Controllers.Main.requestEditFailedMessageText": "В настоящее время документ редактируется. Пожалуйста, попробуйте позже.", - "SSE.Controllers.Main.requestEditFailedTitleText": "Доступ запрещен", - "SSE.Controllers.Main.saveErrorText": "При сохранении файла произошла ошибка.", - "SSE.Controllers.Main.savePreparingText": "Подготовка к сохранению", - "SSE.Controllers.Main.savePreparingTitle": "Подготовка к сохранению. Пожалуйста, подождите...", - "SSE.Controllers.Main.saveTextText": "Сохранение документа...", - "SSE.Controllers.Main.saveTitleText": "Сохранение документа", - "SSE.Controllers.Main.scriptLoadError": "Слишком медленное подключение, некоторые компоненты не удалось загрузить. Пожалуйста, обновите страницу.", - "SSE.Controllers.Main.sendMergeText": "Отправка результатов слияния...", - "SSE.Controllers.Main.sendMergeTitle": "Отправка результатов слияния", - "SSE.Controllers.Main.textAnonymous": "Анонимный пользователь", - "SSE.Controllers.Main.textBack": "Назад", - "SSE.Controllers.Main.textBuyNow": "Перейти на сайт", - "SSE.Controllers.Main.textCancel": "Отмена", - "SSE.Controllers.Main.textClose": "Закрыть", - "SSE.Controllers.Main.textContactUs": "Отдел продаж", - "SSE.Controllers.Main.textCustomLoader": "Обратите внимание, что по условиям лицензии у вас нет прав изменять экран, отображаемый при загрузке.
Пожалуйста, обратитесь в наш отдел продаж, чтобы сделать запрос.", - "SSE.Controllers.Main.textDone": "Готово", - "SSE.Controllers.Main.textGuest": "Гость", - "SSE.Controllers.Main.textHasMacros": "Файл содержит автозапускаемые макросы.
Хотите запустить макросы?", - "SSE.Controllers.Main.textLoadingDocument": "Загрузка таблицы", - "SSE.Controllers.Main.textNo": "Нет", - "SSE.Controllers.Main.textNoLicenseTitle": "Лицензионное ограничение", - "SSE.Controllers.Main.textOK": "OK", - "SSE.Controllers.Main.textPaidFeature": "Платная функция", - "SSE.Controllers.Main.textPassword": "Пароль", - "SSE.Controllers.Main.textPreloader": "Загрузка...", - "SSE.Controllers.Main.textRemember": "Запомнить мой выбор для всех файлов", - "SSE.Controllers.Main.textShape": "Фигура", - "SSE.Controllers.Main.textStrict": "Строгий режим", - "SSE.Controllers.Main.textTryUndoRedo": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.
Нажмите на кнопку 'Строгий режим' для переключения в Строгий режим совместного редактирования, чтобы редактировать файл без вмешательства других пользователей и отправлять изменения только после того, как вы их сохраните. Переключаться между режимами совместного редактирования можно с помощью Дополнительных параметров редактора.", - "SSE.Controllers.Main.textUsername": "Имя пользователя", - "SSE.Controllers.Main.textYes": "Да", - "SSE.Controllers.Main.titleLicenseExp": "Истек срок действия лицензии", - "SSE.Controllers.Main.titleServerVersion": "Редактор обновлен", - "SSE.Controllers.Main.titleUpdateVersion": "Версия изменилась", - "SSE.Controllers.Main.txtAccent": "Акцент", - "SSE.Controllers.Main.txtArt": "Введите ваш текст", - "SSE.Controllers.Main.txtBasicShapes": "Основные фигуры", - "SSE.Controllers.Main.txtButtons": "Кнопки", - "SSE.Controllers.Main.txtCallouts": "Выноски", - "SSE.Controllers.Main.txtCharts": "Схемы", - "SSE.Controllers.Main.txtDelimiter": "Разделитель", - "SSE.Controllers.Main.txtDiagramTitle": "Заголовок диаграммы", - "SSE.Controllers.Main.txtEditingMode": "Установка режима редактирования...", - "SSE.Controllers.Main.txtEncoding": "Кодировка", - "SSE.Controllers.Main.txtErrorLoadHistory": "Не удалось загрузить историю", - "SSE.Controllers.Main.txtFiguredArrows": "Фигурные стрелки", - "SSE.Controllers.Main.txtLines": "Линии", - "SSE.Controllers.Main.txtMath": "Математические знаки", - "SSE.Controllers.Main.txtProtected": "Как только вы введете пароль и откроете файл, текущий пароль к файлу будет сброшен", - "SSE.Controllers.Main.txtRectangles": "Прямоугольники", - "SSE.Controllers.Main.txtSeries": "Ряд", - "SSE.Controllers.Main.txtSpace": "Пробел", - "SSE.Controllers.Main.txtStarsRibbons": "Звезды и ленты", - "SSE.Controllers.Main.txtStyle_Bad": "Плохой", - "SSE.Controllers.Main.txtStyle_Calculation": "Пересчет", - "SSE.Controllers.Main.txtStyle_Check_Cell": "Контрольная ячейка", - "SSE.Controllers.Main.txtStyle_Comma": "Финансовый", - "SSE.Controllers.Main.txtStyle_Currency": "Денежный", - "SSE.Controllers.Main.txtStyle_Explanatory_Text": "Пояснение", - "SSE.Controllers.Main.txtStyle_Good": "Хороший", - "SSE.Controllers.Main.txtStyle_Heading_1": "Заголовок 1", - "SSE.Controllers.Main.txtStyle_Heading_2": "Заголовок 2", - "SSE.Controllers.Main.txtStyle_Heading_3": "Заголовок 3", - "SSE.Controllers.Main.txtStyle_Heading_4": "Заголовок 4", - "SSE.Controllers.Main.txtStyle_Input": "Ввод", - "SSE.Controllers.Main.txtStyle_Linked_Cell": "Связанная ячейка", - "SSE.Controllers.Main.txtStyle_Neutral": "Нейтральный", - "SSE.Controllers.Main.txtStyle_Normal": "Обычный", - "SSE.Controllers.Main.txtStyle_Note": "Примечание", - "SSE.Controllers.Main.txtStyle_Output": "Вывод", - "SSE.Controllers.Main.txtStyle_Percent": "Процентный", - "SSE.Controllers.Main.txtStyle_Title": "Название", - "SSE.Controllers.Main.txtStyle_Total": "Итог", - "SSE.Controllers.Main.txtStyle_Warning_Text": "Текст предупреждения", - "SSE.Controllers.Main.txtTab": "Табуляция", - "SSE.Controllers.Main.txtXAxis": "Ось X", - "SSE.Controllers.Main.txtYAxis": "Ось Y", - "SSE.Controllers.Main.unknownErrorText": "Неизвестная ошибка.", - "SSE.Controllers.Main.unsupportedBrowserErrorText": "Ваш браузер не поддерживается.", - "SSE.Controllers.Main.uploadImageExtMessage": "Неизвестный формат рисунка.", - "SSE.Controllers.Main.uploadImageFileCountMessage": "Ни одного рисунка не загружено.", - "SSE.Controllers.Main.uploadImageSizeMessage": "Превышен максимальный размер рисунка.", - "SSE.Controllers.Main.uploadImageTextText": "Загрузка рисунка...", - "SSE.Controllers.Main.uploadImageTitleText": "Загрузка рисунка", - "SSE.Controllers.Main.waitText": "Пожалуйста, подождите...", - "SSE.Controllers.Main.warnLicenseExceeded": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт только на просмотр.
Свяжитесь с администратором, чтобы узнать больше.", - "SSE.Controllers.Main.warnLicenseExp": "Истек срок действия лицензии.
Обновите лицензию, а затем обновите страницу.", - "SSE.Controllers.Main.warnLicenseLimitedNoAccess": "Истек срок действия лицензии.
Нет доступа к функциональности редактирования документов.
Пожалуйста, обратитесь к администратору.", - "SSE.Controllers.Main.warnLicenseLimitedRenewed": "Необходимо обновить лицензию.
У вас ограниченный доступ к функциональности редактирования документов.
Пожалуйста, обратитесь к администратору, чтобы получить полный доступ", - "SSE.Controllers.Main.warnLicenseUsersExceeded": "Вы достигли лимита на количество пользователей редакторов %1.
Свяжитесь с администратором, чтобы узнать больше.", - "SSE.Controllers.Main.warnNoLicense": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт на просмотр.
Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия лицензирования.", - "SSE.Controllers.Main.warnNoLicenseUsers": "Вы достигли лимита на одновременные подключения к редакторам %1.
Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия лицензирования.", - "SSE.Controllers.Main.warnProcessRightsChange": "Вам было отказано в праве на редактирование этого файла.", - "SSE.Controllers.Search.textNoTextFound": "Текст не найден", - "SSE.Controllers.Search.textReplaceAll": "Заменить все", - "SSE.Controllers.Settings.notcriticalErrorTitle": "Внимание", - "SSE.Controllers.Settings.txtDe": "Немецкий", - "SSE.Controllers.Settings.txtEn": "Английский", - "SSE.Controllers.Settings.txtEs": "Испанский", - "SSE.Controllers.Settings.txtFr": "Французский", - "SSE.Controllers.Settings.txtIt": "Итальянский", - "SSE.Controllers.Settings.txtPl": "Польский", - "SSE.Controllers.Settings.txtRu": "Русский", - "SSE.Controllers.Settings.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян.
Вы действительно хотите продолжить?", - "SSE.Controllers.Statusbar.cancelButtonText": "Отмена", - "SSE.Controllers.Statusbar.errNameExists": "Рабочий лист с таким именем уже существует.", - "SSE.Controllers.Statusbar.errNameWrongChar": "Имя листа не может содержать символы: \\, /, *, ?, [, ], :", - "SSE.Controllers.Statusbar.errNotEmpty": "Имя листа не должно быть пустым", - "SSE.Controllers.Statusbar.errorLastSheet": "Рабочая книга должна содержать не менее одного видимого рабочего листа.", - "SSE.Controllers.Statusbar.errorRemoveSheet": "Не удалось удалить лист.", - "SSE.Controllers.Statusbar.menuDelete": "Удалить", - "SSE.Controllers.Statusbar.menuDuplicate": "Дублировать", - "SSE.Controllers.Statusbar.menuHide": "Скрыть", - "SSE.Controllers.Statusbar.menuMore": "Ещё", - "SSE.Controllers.Statusbar.menuRename": "Переименовать", - "SSE.Controllers.Statusbar.menuUnhide": "Показать", - "SSE.Controllers.Statusbar.notcriticalErrorTitle": "Внимание", - "SSE.Controllers.Statusbar.strRenameSheet": "Переименовать лист", - "SSE.Controllers.Statusbar.strSheet": "Лист", - "SSE.Controllers.Statusbar.strSheetName": "Имя листа", - "SSE.Controllers.Statusbar.textExternalLink": "Внешняя ссылка", - "SSE.Controllers.Statusbar.warnDeleteSheet": "Рабочий лист может содержать данные. Продолжить операцию?", - "SSE.Controllers.Toolbar.dlgLeaveMsgText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения документа. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.", - "SSE.Controllers.Toolbar.dlgLeaveTitleText": "Вы выходите из приложения", - "SSE.Controllers.Toolbar.leaveButtonText": "Уйти со страницы", - "SSE.Controllers.Toolbar.stayButtonText": "Остаться на странице", - "SSE.Views.AddFunction.sCatDateAndTime": "Дата и время", - "SSE.Views.AddFunction.sCatEngineering": "Инженерные", - "SSE.Views.AddFunction.sCatFinancial": "Финансовые", - "SSE.Views.AddFunction.sCatInformation": "Информационные", - "SSE.Views.AddFunction.sCatLogical": "Логические", - "SSE.Views.AddFunction.sCatLookupAndReference": "Поиск и ссылки", - "SSE.Views.AddFunction.sCatMathematic": "Математические", - "SSE.Views.AddFunction.sCatStatistical": "Статистические", - "SSE.Views.AddFunction.sCatTextAndData": "Текст и данные", - "SSE.Views.AddFunction.textBack": "Назад", - "SSE.Views.AddFunction.textGroups": "Категории", - "SSE.Views.AddLink.textAddLink": "Добавить ссылку", - "SSE.Views.AddLink.textAddress": "Адрес", - "SSE.Views.AddLink.textDisplay": "Отображать", - "SSE.Views.AddLink.textExternalLink": "Внешняя ссылка", - "SSE.Views.AddLink.textInsert": "Вставить", - "SSE.Views.AddLink.textInternalLink": "Внутренний диапазон данных", - "SSE.Views.AddLink.textLink": "Ссылка", - "SSE.Views.AddLink.textLinkType": "Тип ссылки", - "SSE.Views.AddLink.textRange": "Диапазон", - "SSE.Views.AddLink.textRequired": "Обязательно", - "SSE.Views.AddLink.textSelectedRange": "Выбранный диапазон", - "SSE.Views.AddLink.textSheet": "Лист", - "SSE.Views.AddLink.textTip": "Подсказка", - "SSE.Views.AddOther.textAddComment": "Добавить комментарий", - "SSE.Views.AddOther.textAddress": "Адрес", - "SSE.Views.AddOther.textBack": "Назад", - "SSE.Views.AddOther.textComment": "Комментарий", - "SSE.Views.AddOther.textDone": "Готово", - "SSE.Views.AddOther.textFilter": "Фильтр", - "SSE.Views.AddOther.textFromLibrary": "Рисунок из библиотеки", - "SSE.Views.AddOther.textFromURL": "Рисунок по URL", - "SSE.Views.AddOther.textImageURL": "URL рисунка", - "SSE.Views.AddOther.textInsert": "Вставить", - "SSE.Views.AddOther.textInsertImage": "Вставить рисунок", - "SSE.Views.AddOther.textLink": "Ссылка", - "SSE.Views.AddOther.textLinkSettings": "Настройки ссылки", - "SSE.Views.AddOther.textSort": "Сортировка и фильтрация", - "SSE.Views.EditCell.textAccounting": "Финансовый", - "SSE.Views.EditCell.textAddCustomColor": "Добавить пользовательский цвет", - "SSE.Views.EditCell.textAlignBottom": "По нижнему краю", - "SSE.Views.EditCell.textAlignCenter": "По центру", - "SSE.Views.EditCell.textAlignLeft": "По левому краю", - "SSE.Views.EditCell.textAlignMiddle": "По середине", - "SSE.Views.EditCell.textAlignRight": "По правому краю", - "SSE.Views.EditCell.textAlignTop": "По верхнему краю", - "SSE.Views.EditCell.textAllBorders": "Все границы", - "SSE.Views.EditCell.textAngleClockwise": "Текст по часовой стрелке", - "SSE.Views.EditCell.textAngleCounterclockwise": "Текст против часовой стрелки", - "SSE.Views.EditCell.textBack": "Назад", - "SSE.Views.EditCell.textBorderStyle": "Стиль границ", - "SSE.Views.EditCell.textBottomBorder": "Нижняя граница", - "SSE.Views.EditCell.textCellStyle": "Стили ячеек", - "SSE.Views.EditCell.textCharacterBold": "Ж", - "SSE.Views.EditCell.textCharacterItalic": "К", - "SSE.Views.EditCell.textCharacterUnderline": "Ч", - "SSE.Views.EditCell.textColor": "Цвет", - "SSE.Views.EditCell.textCurrency": "Денежный", - "SSE.Views.EditCell.textCustomColor": "Пользовательский цвет", - "SSE.Views.EditCell.textDate": "Дата", - "SSE.Views.EditCell.textDiagDownBorder": "Диагональная граница сверху вниз", - "SSE.Views.EditCell.textDiagUpBorder": "Диагональная граница снизу вверх", - "SSE.Views.EditCell.textDollar": "Доллар", - "SSE.Views.EditCell.textEuro": "Евро", - "SSE.Views.EditCell.textFillColor": "Цвет заливки", - "SSE.Views.EditCell.textFonts": "Шрифты", - "SSE.Views.EditCell.textFormat": "Формат", - "SSE.Views.EditCell.textGeneral": "Общий", - "SSE.Views.EditCell.textHorizontalText": "Горизонтальный текст", - "SSE.Views.EditCell.textInBorders": "Внутренние границы", - "SSE.Views.EditCell.textInHorBorder": "Внутренняя горизонтальная граница", - "SSE.Views.EditCell.textInteger": "Целочисленный", - "SSE.Views.EditCell.textInVertBorder": "Внутренняя вертикальная граница", - "SSE.Views.EditCell.textJustified": "По ширине", - "SSE.Views.EditCell.textLeftBorder": "Левая граница", - "SSE.Views.EditCell.textMedium": "Средние", - "SSE.Views.EditCell.textNoBorder": "Без границ", - "SSE.Views.EditCell.textNumber": "Числовой", - "SSE.Views.EditCell.textPercentage": "Процентный", - "SSE.Views.EditCell.textPound": "Фунт", - "SSE.Views.EditCell.textRightBorder": "Правая граница", - "SSE.Views.EditCell.textRotateTextDown": "Повернуть текст вниз", - "SSE.Views.EditCell.textRotateTextUp": "Повернуть текст вверх", - "SSE.Views.EditCell.textRouble": "Рубль", - "SSE.Views.EditCell.textScientific": "Научный", - "SSE.Views.EditCell.textSize": "Размер", - "SSE.Views.EditCell.textText": "Текст", - "SSE.Views.EditCell.textTextColor": "Цвет текста", - "SSE.Views.EditCell.textTextFormat": "Формат текста", - "SSE.Views.EditCell.textTextOrientation": "Ориентация текста", - "SSE.Views.EditCell.textThick": "Толстые", - "SSE.Views.EditCell.textThin": "Тонкие", - "SSE.Views.EditCell.textTime": "Время", - "SSE.Views.EditCell.textTopBorder": "Верхняя граница", - "SSE.Views.EditCell.textVerticalText": "Вертикальный текст", - "SSE.Views.EditCell.textWrapText": "Перенос текста", - "SSE.Views.EditCell.textYen": "Иена", - "SSE.Views.EditChart.textAddCustomColor": "Добавить пользовательский цвет", - "SSE.Views.EditChart.textAuto": "Авто", - "SSE.Views.EditChart.textAxisCrosses": "Пересечение с осью", - "SSE.Views.EditChart.textAxisOptions": "Параметры оси", - "SSE.Views.EditChart.textAxisPosition": "Положение оси", - "SSE.Views.EditChart.textAxisTitle": "Название оси", - "SSE.Views.EditChart.textBack": "Назад", - "SSE.Views.EditChart.textBackward": "Перенести назад", - "SSE.Views.EditChart.textBorder": "Граница", - "SSE.Views.EditChart.textBottom": "Снизу", - "SSE.Views.EditChart.textChart": "Диаграмма", - "SSE.Views.EditChart.textChartTitle": "Заголовок диаграммы", - "SSE.Views.EditChart.textColor": "Цвет", - "SSE.Views.EditChart.textCrossesValue": "Значение", - "SSE.Views.EditChart.textCustomColor": "Пользовательский цвет", - "SSE.Views.EditChart.textDataLabels": "Подписи данных", - "SSE.Views.EditChart.textDesign": "Вид", - "SSE.Views.EditChart.textDisplayUnits": "Единицы отображения", - "SSE.Views.EditChart.textFill": "Заливка", - "SSE.Views.EditChart.textForward": "Перенести вперед", - "SSE.Views.EditChart.textGridlines": "Линии сетки", - "SSE.Views.EditChart.textHorAxis": "Горизонтальная ось", - "SSE.Views.EditChart.textHorizontal": "По горизонтали", - "SSE.Views.EditChart.textLabelOptions": "Параметры подписи", - "SSE.Views.EditChart.textLabelPos": "Положение подписи", - "SSE.Views.EditChart.textLayout": "Макет", - "SSE.Views.EditChart.textLeft": "Слева", - "SSE.Views.EditChart.textLeftOverlay": "Наложение слева", - "SSE.Views.EditChart.textLegend": "Условные обозначения", - "SSE.Views.EditChart.textMajor": "Основные", - "SSE.Views.EditChart.textMajorMinor": "Основные и дополнительные", - "SSE.Views.EditChart.textMajorType": "Основной тип", - "SSE.Views.EditChart.textMaxValue": "Максимум", - "SSE.Views.EditChart.textMinor": "Дополнительные", - "SSE.Views.EditChart.textMinorType": "Дополнительный тип", - "SSE.Views.EditChart.textMinValue": "Минимум", - "SSE.Views.EditChart.textNone": "Нет", - "SSE.Views.EditChart.textNoOverlay": "Без наложения", - "SSE.Views.EditChart.textOverlay": "Наложение", - "SSE.Views.EditChart.textRemoveChart": "Удалить диаграмму", - "SSE.Views.EditChart.textReorder": "Порядок", - "SSE.Views.EditChart.textRight": "Справа", - "SSE.Views.EditChart.textRightOverlay": "Наложение справа", - "SSE.Views.EditChart.textRotated": "Повернутое", - "SSE.Views.EditChart.textSize": "Размер", - "SSE.Views.EditChart.textStyle": "Стиль", - "SSE.Views.EditChart.textTickOptions": "Параметры делений", - "SSE.Views.EditChart.textToBackground": "Перенести на задний план", - "SSE.Views.EditChart.textToForeground": "Перенести на передний план", - "SSE.Views.EditChart.textTop": "Сверху", - "SSE.Views.EditChart.textType": "Тип", - "SSE.Views.EditChart.textValReverseOrder": "Значения в обратном порядке", - "SSE.Views.EditChart.textVerAxis": "Вертикальная ось", - "SSE.Views.EditChart.textVertical": "По вертикали", - "SSE.Views.EditHyperlink.textBack": "Назад", - "SSE.Views.EditHyperlink.textDisplay": "Отображать", - "SSE.Views.EditHyperlink.textEditLink": "Редактировать ссылку", - "SSE.Views.EditHyperlink.textExternalLink": "Внешняя ссылка", - "SSE.Views.EditHyperlink.textInternalLink": "Внутренний диапазон данных", - "SSE.Views.EditHyperlink.textLink": "Ссылка", - "SSE.Views.EditHyperlink.textLinkType": "Тип ссылки", - "SSE.Views.EditHyperlink.textRange": "Диапазон", - "SSE.Views.EditHyperlink.textRemoveLink": "Удалить ссылку", - "SSE.Views.EditHyperlink.textScreenTip": "Подсказка", - "SSE.Views.EditHyperlink.textSheet": "Лист", - "SSE.Views.EditImage.textAddress": "Адрес", - "SSE.Views.EditImage.textBack": "Назад", - "SSE.Views.EditImage.textBackward": "Перенести назад", - "SSE.Views.EditImage.textDefault": "Реальный размер", - "SSE.Views.EditImage.textForward": "Перенести вперед", - "SSE.Views.EditImage.textFromLibrary": "Рисунок из библиотеки", - "SSE.Views.EditImage.textFromURL": "Рисунок по URL", - "SSE.Views.EditImage.textImageURL": "URL рисунка", - "SSE.Views.EditImage.textLinkSettings": "Настройки ссылки", - "SSE.Views.EditImage.textRemove": "Удалить рисунок", - "SSE.Views.EditImage.textReorder": "Порядок", - "SSE.Views.EditImage.textReplace": "Заменить", - "SSE.Views.EditImage.textReplaceImg": "Заменить рисунок", - "SSE.Views.EditImage.textToBackground": "Перенести на задний план", - "SSE.Views.EditImage.textToForeground": "Перенести на передний план", - "SSE.Views.EditShape.textAddCustomColor": "Добавить пользовательский цвет", - "SSE.Views.EditShape.textBack": "Назад", - "SSE.Views.EditShape.textBackward": "Перенести назад", - "SSE.Views.EditShape.textBorder": "Граница", - "SSE.Views.EditShape.textColor": "Цвет", - "SSE.Views.EditShape.textCustomColor": "Пользовательский цвет", - "SSE.Views.EditShape.textEffects": "Эффекты", - "SSE.Views.EditShape.textFill": "Заливка", - "SSE.Views.EditShape.textForward": "Перенести вперед", - "SSE.Views.EditShape.textOpacity": "Непрозрачность", - "SSE.Views.EditShape.textRemoveShape": "Удалить фигуру", - "SSE.Views.EditShape.textReorder": "Порядок", - "SSE.Views.EditShape.textReplace": "Заменить", - "SSE.Views.EditShape.textSize": "Размер", - "SSE.Views.EditShape.textStyle": "Стиль", - "SSE.Views.EditShape.textToBackground": "Перенести на задний план", - "SSE.Views.EditShape.textToForeground": "Перенести на передний план", - "SSE.Views.EditText.textAddCustomColor": "Добавить пользовательский цвет", - "SSE.Views.EditText.textBack": "Назад", - "SSE.Views.EditText.textCharacterBold": "Ж", - "SSE.Views.EditText.textCharacterItalic": "К", - "SSE.Views.EditText.textCharacterUnderline": "Ч", - "SSE.Views.EditText.textCustomColor": "Пользовательский цвет", - "SSE.Views.EditText.textFillColor": "Цвет заливки", - "SSE.Views.EditText.textFonts": "Шрифты", - "SSE.Views.EditText.textSize": "Размер", - "SSE.Views.EditText.textTextColor": "Цвет текста", - "SSE.Views.FilterOptions.textClearFilter": "Очистить фильтр", - "SSE.Views.FilterOptions.textDeleteFilter": "Удалить фильтр", - "SSE.Views.FilterOptions.textFilter": "Параметры фильтра", - "SSE.Views.Search.textByColumns": "По столбцам", - "SSE.Views.Search.textByRows": "По строкам", - "SSE.Views.Search.textDone": "Готово", - "SSE.Views.Search.textFind": "Поиск", - "SSE.Views.Search.textFindAndReplace": "Поиск и замена", - "SSE.Views.Search.textFormulas": "Формулы", - "SSE.Views.Search.textHighlightRes": "Выделить результаты", - "SSE.Views.Search.textLookIn": "Область поиска", - "SSE.Views.Search.textMatchCase": "С учетом регистра", - "SSE.Views.Search.textMatchCell": "Сопоставление ячеек", - "SSE.Views.Search.textReplace": "Заменить", - "SSE.Views.Search.textSearch": "Поиск", - "SSE.Views.Search.textSearchBy": "Поиск", - "SSE.Views.Search.textSearchIn": "Искать", - "SSE.Views.Search.textSheet": "На листе", - "SSE.Views.Search.textValues": "Значения", - "SSE.Views.Search.textWorkbook": "В книге", - "SSE.Views.Settings.textAbout": "О программе", - "SSE.Views.Settings.textAddress": "адрес", - "SSE.Views.Settings.textApplication": "Приложение", - "SSE.Views.Settings.textApplicationSettings": "Настройки приложения", - "SSE.Views.Settings.textAuthor": "Автор", - "SSE.Views.Settings.textBack": "Назад", - "SSE.Views.Settings.textBottom": "Снизу", - "SSE.Views.Settings.textCentimeter": "Сантиметр", - "SSE.Views.Settings.textCollaboration": "Совместная работа", - "SSE.Views.Settings.textColorSchemes": "Цветовые схемы", - "SSE.Views.Settings.textComment": "Комментарий", - "SSE.Views.Settings.textCommentingDisplay": "Отображение комментариев", - "SSE.Views.Settings.textCreated": "Создана", - "SSE.Views.Settings.textCreateDate": "Дата создания", - "SSE.Views.Settings.textCustom": "Пользовательский", - "SSE.Views.Settings.textCustomSize": "Особый размер", - "SSE.Views.Settings.textDisableAll": "Отключить все", - "SSE.Views.Settings.textDisableAllMacrosWithNotification": "Отключить все макросы с уведомлением", - "SSE.Views.Settings.textDisableAllMacrosWithoutNotification": "Отключить все макросы без уведомления", - "SSE.Views.Settings.textDisplayComments": "Комментарии", - "SSE.Views.Settings.textDisplayResolvedComments": "Решенные комментарии", - "SSE.Views.Settings.textDocInfo": "Информация о таблице", - "SSE.Views.Settings.textDocTitle": "Название таблицы", - "SSE.Views.Settings.textDone": "Готово", - "SSE.Views.Settings.textDownload": "Скачать", - "SSE.Views.Settings.textDownloadAs": "Скачать как...", - "SSE.Views.Settings.textEditDoc": "Редактировать", - "SSE.Views.Settings.textEmail": "email", - "SSE.Views.Settings.textEnableAll": "Включить все", - "SSE.Views.Settings.textEnableAllMacrosWithoutNotification": "Включить все макросы без уведомления", - "SSE.Views.Settings.textExample": "Пример", - "SSE.Views.Settings.textFind": "Поиск", - "SSE.Views.Settings.textFindAndReplace": "Поиск и замена", - "SSE.Views.Settings.textFormat": "Формат", - "SSE.Views.Settings.textFormulaLanguage": "Язык формул", - "SSE.Views.Settings.textHelp": "Справка", - "SSE.Views.Settings.textHideGridlines": "Скрыть линии сетки", - "SSE.Views.Settings.textHideHeadings": "Скрыть заголовки", - "SSE.Views.Settings.textInch": "Дюйм", - "SSE.Views.Settings.textLandscape": "Альбомная", - "SSE.Views.Settings.textLastModified": "Последнее изменение", - "SSE.Views.Settings.textLastModifiedBy": "Автор последнего изменения", - "SSE.Views.Settings.textLeft": "Слева", - "SSE.Views.Settings.textLoading": "Загрузка...", - "SSE.Views.Settings.textLocation": "Положение", - "SSE.Views.Settings.textMacrosSettings": "Настройки макросов", - "SSE.Views.Settings.textMargins": "Поля", - "SSE.Views.Settings.textOrientation": "Ориентация", - "SSE.Views.Settings.textOwner": "Владелец", - "SSE.Views.Settings.textPoint": "Пункт", - "SSE.Views.Settings.textPortrait": "Книжная", - "SSE.Views.Settings.textPoweredBy": "Разработано", - "SSE.Views.Settings.textPrint": "Печать", - "SSE.Views.Settings.textR1C1Style": "Стиль ссылок R1C1", - "SSE.Views.Settings.textRegionalSettings": "Региональные параметры", - "SSE.Views.Settings.textRight": "Справа", - "SSE.Views.Settings.textSettings": "Настройки", - "SSE.Views.Settings.textShowNotification": "Показывать уведомление", - "SSE.Views.Settings.textSpreadsheetFormats": "Форматы таблицы", - "SSE.Views.Settings.textSpreadsheetSettings": "Настройки таблицы", - "SSE.Views.Settings.textSubject": "Тема", - "SSE.Views.Settings.textTel": "Телефон", - "SSE.Views.Settings.textTitle": "Название", - "SSE.Views.Settings.textTop": "Сверху", - "SSE.Views.Settings.textUnitOfMeasurement": "Единица измерения", - "SSE.Views.Settings.textUploaded": "Загружена", - "SSE.Views.Settings.textVersion": "Версия", - "SSE.Views.Settings.unknownText": "Неизвестно", - "SSE.Views.Toolbar.textBack": "Назад" +{ + "About": { + "textAbout": "О программе", + "textAddress": "Адрес", + "textBack": "Назад", + "textEmail": "Еmail", + "textPoweredBy": "Разработано", + "textTel": "Телефон", + "textVersion": "Версия" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Внимание", + "textAddComment": "Добавить комментарий", + "textAddReply": "Добавить ответ", + "textBack": "Назад", + "textCancel": "Отмена", + "textCollaboration": "Совместная работа", + "textComments": "Комментарии", + "textDeleteComment": "Удалить комментарий", + "textDeleteReply": "Удалить ответ", + "textDone": "Готово", + "textEdit": "Редактировать", + "textEditComment": "Редактировать комментарий", + "textEditReply": "Редактировать ответ", + "textEditUser": "Пользователи, редактирующие документ:", + "textMessageDeleteComment": "Вы действительно хотите удалить этот комментарий?", + "textMessageDeleteReply": "Вы действительно хотите удалить этот ответ?", + "textNoComments": "Этот документ не содержит комментариев", + "textReopen": "Переоткрыть", + "textResolve": "Решить", + "textTryUndoRedo": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.", + "textUsers": "Пользователи" + }, + "ThemeColorPalette": { + "textCustomColors": "Пользовательские цвета", + "textStandartColors": "Стандартные цвета", + "textThemeColors": "Цвета темы" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "Операции копирования, вырезания и вставки с помощью контекстного меню будут выполняться только в текущем файле.", + "menuAddComment": "Добавить комментарий", + "menuAddLink": "Добавить ссылку", + "menuCancel": "Отмена", + "menuCell": "Ячейка", + "menuDelete": "Удалить", + "menuEdit": "Редактировать", + "menuFreezePanes": "Закрепить области", + "menuHide": "Скрыть", + "menuMerge": "Объединить", + "menuMore": "Ещё", + "menuOpenLink": "Перейти по ссылке", + "menuShow": "Показать", + "menuUnfreezePanes": "Снять закрепление областей", + "menuUnmerge": "Разбить", + "menuUnwrap": "Убрать перенос", + "menuViewComment": "Просмотреть комментарий", + "menuWrap": "Перенос текста", + "notcriticalErrorTitle": "Внимание", + "textCopyCutPasteActions": "Операции копирования, вырезания и вставки", + "textDoNotShowAgain": "Больше не показывать", + "warnMergeLostData": "Операция может привести к удалению данных в выделенных ячейках. Продолжить?" + }, + "Controller": { + "Main": { + "criticalErrorTitle": "Ошибка", + "errorAccessDeny": "Вы пытаетесь выполнить действие, на которое у вас нет прав.
Пожалуйста, обратитесь к администратору.", + "errorProcessSaveResult": "Не удалось завершить сохранение.", + "errorServerVersion": "Версия редактора была обновлена. Страница будет перезагружена, чтобы применить изменения.", + "errorUpdateVersion": "Версия файла была изменена. Страница будет перезагружена.", + "leavePageText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.", + "notcriticalErrorTitle": "Внимание", + "SDK": { + "txtAccent": "Акцент", + "txtArt": "Введите ваш текст", + "txtDiagramTitle": "Заголовок диаграммы", + "txtSeries": "Ряд", + "txtStyle_Bad": "Плохой", + "txtStyle_Calculation": "Пересчет", + "txtStyle_Check_Cell": "Контрольная ячейка", + "txtStyle_Comma": "Финансовый", + "txtStyle_Currency": "Денежный", + "txtStyle_Explanatory_Text": "Пояснение", + "txtStyle_Good": "Хороший", + "txtStyle_Heading_1": "Заголовок 1", + "txtStyle_Heading_2": "Заголовок 2", + "txtStyle_Heading_3": "Заголовок 3", + "txtStyle_Heading_4": "Заголовок 4", + "txtStyle_Input": "Ввод", + "txtStyle_Linked_Cell": "Связанная ячейка", + "txtStyle_Neutral": "Нейтральный", + "txtStyle_Normal": "Обычный", + "txtStyle_Note": "Примечание", + "txtStyle_Output": "Вывод", + "txtStyle_Percent": "Процентный", + "txtStyle_Title": "Название", + "txtStyle_Total": "Итог", + "txtStyle_Warning_Text": "Текст предупреждения", + "txtXAxis": "Ось X", + "txtYAxis": "Ось Y" + }, + "textAnonymous": "Анонимный пользователь", + "textBuyNow": "Перейти на сайт", + "textClose": "Закрыть", + "textContactUs": "Отдел продаж", + "textCustomLoader": "К сожалению, у вас нет прав изменять экран, отображаемый при загрузке. Пожалуйста, обратитесь в наш отдел продаж, чтобы сделать запрос.", + "textGuest": "Гость", + "textHasMacros": "Файл содержит автозапускаемые макросы.
Хотите запустить макросы?", + "textNo": "Нет", + "textNoLicenseTitle": "Лицензионное ограничение", + "textPaidFeature": "Платная функция", + "textRemember": "Запомнить мой выбор", + "textYes": "Да", + "titleServerVersion": "Редактор обновлен", + "titleUpdateVersion": "Версия изменилась", + "warnLicenseExceeded": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт только на просмотр. Свяжитесь с администратором, чтобы узнать больше.", + "warnLicenseLimitedNoAccess": "Истек срок действия лицензии. Нет доступа к функциональности редактирования документов. Пожалуйста, обратитесь к администратору.", + "warnLicenseLimitedRenewed": "Необходимо обновить лицензию. У вас ограниченный доступ к функциональности редактирования документов.
Пожалуйста, обратитесь к администратору, чтобы получить полный доступ", + "warnLicenseUsersExceeded": "Вы достигли лимита на количество пользователей редакторов %1. Свяжитесь с администратором, чтобы узнать больше.", + "warnNoLicense": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт на просмотр. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", + "warnNoLicenseUsers": "Вы достигли лимита на количество пользователей редакторов %1. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", + "warnProcessRightsChange": "У вас нет прав на редактирование этого файла." + } + }, + "Error": { + "convertationTimeoutText": "Превышено время ожидания конвертации.", + "criticalErrorExtText": "Нажмите 'OK' для возврата к списку документов.", + "criticalErrorTitle": "Ошибка", + "downloadErrorText": "Загрузка не удалась.", + "errorAccessDeny": "Вы пытаетесь выполнить действие, на которое у вас нет прав.
Пожалуйста, обратитесь к администратору.", + "errorArgsRange": "Ошибка в формуле.
Неверный диапазон аргументов.", + "errorAutoFilterChange": "Операция не разрешена, поскольку предпринимается попытка сдвинуть ячейки таблицы на листе.", + "errorAutoFilterChangeFormatTable": "Эту операцию нельзя выполнить для выделенных ячеек, поскольку нельзя переместить часть таблицы.
Выберите другой диапазон данных, чтобы перемещалась вся таблица, и повторите попытку.", + "errorAutoFilterDataRange": "Операция не может быть произведена для выбранного диапазона ячеек.
Выделите однородный диапазон данных внутри или за пределами таблицы и повторите попытку.", + "errorAutoFilterHiddenRange": "Операция не может быть произведена, так как область содержит отфильтрованные ячейки.
Выведите на экран скрытые фильтром элементы и повторите попытку.", + "errorBadImageUrl": "Неправильный URL-адрес рисунка", + "errorChangeArray": "Нельзя изменить часть массива.", + "errorConnectToServer": "Не удается сохранить документ. Проверьте параметры подключения или обратитесь к вашему администратору.
Когда вы нажмете на кнопку 'OK', вам будет предложено скачать документ.", + "errorCopyMultiselectArea": "Данная команда неприменима для несвязных диапазонов.
Выберите один диапазон и повторите попытку.", + "errorCountArg": "Ошибка в формуле.
Неверное количество аргументов.", + "errorCountArgExceed": "Ошибка в формуле.
Превышено максимальное количество аргументов.", + "errorCreateDefName": "В настоящий момент нельзя отредактировать существующие именованные диапазоны и создать новые,
так как некоторые из них редактируются.", + "errorDatabaseConnection": "Внешняя ошибка.
Ошибка подключения к базе данных. Пожалуйста, обратитесь в службу технической поддержки.", + "errorDataEncrypted": "Получены зашифрованные изменения, их нельзя расшифровать.", + "errorDataRange": "Некорректный диапазон данных.", + "errorDataValidate": "Введенное значение недопустимо.
Значения, которые можно ввести в эту ячейку, ограничены.", + "errorDefaultMessage": "Код ошибки: %1", + "errorEditingDownloadas": "В ходе работы с документом произошла ошибка.
Используйте опцию 'Скачать', чтобы сохранить резервную копию файла локально.", + "errorFilePassProtect": "Файл защищен паролем и не может быть открыт.", + "errorFileRequest": "Внешняя ошибка.
Ошибка запроса файла. Пожалуйста, обратитесь в службу поддержки.", + "errorFileSizeExceed": "Размер файла превышает ограничение, установленное для вашего сервера.
Обратитесь к администратору для получения дополнительной информации.", + "errorFileVKey": "Внешняя ошибка.
Неверный ключ безопасности. Пожалуйста, обратитесь в службу поддержки.", + "errorFillRange": "Не удается заполнить выбранный диапазон ячеек.
Все объединенные ячейки должны быть одного размера.", + "errorFormulaName": "Ошибка в формуле.
Неверное имя формулы.", + "errorFormulaParsing": "Внутренняя ошибка при синтаксическом анализе формулы.", + "errorFrmlMaxLength": "Нельзя добавить эту формулу, так как ее длина превышает допустимое количество символов.
Отредактируйте ее и повторите попытку.", + "errorFrmlMaxReference": "Нельзя ввести эту формулу, так как она содержит слишком много значений,
ссылок на ячейки и/или имен.", + "errorFrmlMaxTextLength": "Длина текстовых значений в формулах не может превышать 255 символов.
Используйте функцию СЦЕПИТЬ или оператор сцепления (&)", + "errorFrmlWrongReferences": "Функция ссылается на лист, который не существует.
Проверьте данные и повторите попытку.", + "errorInvalidRef": "Введите корректное имя для выделенного диапазона или допустимую ссылку для перехода.", + "errorKeyEncrypt": "Неизвестный дескриптор ключа", + "errorKeyExpire": "Срок действия дескриптора ключа истек", + "errorLockedAll": "Операция не может быть произведена, так как лист заблокирован другим пользователем.", + "errorLockedCellPivot": "Нельзя изменить данные в сводной таблице.", + "errorLockedWorksheetRename": "В настоящее время лист нельзя переименовать, так как его переименовывает другой пользователь", + "errorMaxPoints": "Максимальное число точек в серии для диаграммы составляет 4096.", + "errorMoveRange": "Нельзя изменить часть объединенной ячейки", + "errorMultiCellFormula": "Формулы массива с несколькими ячейками не разрешаются в таблицах.", + "errorOpenWarning": "Длина одной из формул в файле превышала
допустимое количество символов, и формула была удалена.", + "errorOperandExpected": "Синтаксис введенной функции некорректен. Проверьте, не пропущена ли одна из скобок - '(' или ')'.", + "errorPasteMaxRange": "Область копирования не соответствует области вставки. Для вставки скопированных ячеек выделите область такого же размера или щелкните по первой ячейке в строке.", + "errorPrintMaxPagesCount": "К сожалению, в текущей версии программы нельзя напечатать более 1500 страниц за один раз.
Это ограничение будет устранено в последующих версиях.", + "errorSessionAbsolute": "Время сеанса редактирования документа истекло. Пожалуйста, обновите страницу.", + "errorSessionIdle": "Документ долгое время не редактировался. Пожалуйста, обновите страницу.", + "errorSessionToken": "Подключение к серверу было прервано. Пожалуйста, обновите страницу.", + "errorStockChart": "Неверный порядок строк. Чтобы создать биржевую диаграмму, расположите данные на листе в следующем порядке:
цена открытия, максимальная цена, минимальная цена, цена закрытия.", + "errorUnexpectedGuid": "Внешняя ошибка.
Непредвиденный идентификатор GUID. Пожалуйста, обратитесь в службу поддержки.", + "errorUpdateVersionOnDisconnect": "Подключение к Интернету было восстановлено, и версия файла изменилась.
Прежде чем продолжить работу, надо скачать файл или скопировать его содержимое, чтобы обеспечить сохранность данных, а затем перезагрузить страницу.", + "errorUserDrop": "В настоящий момент файл недоступен.", + "errorUsersExceed": "Превышено количество пользователей, разрешенных согласно тарифному плану", + "errorViewerDisconnect": "Подключение прервано. Вы можете просматривать документ,
но не сможете скачать его до восстановления подключения и обновления страницы.", + "errorWrongBracketsCount": "Ошибка в формуле.
Неверное количество скобок.", + "errorWrongOperator": "Ошибка во введенной формуле. Использован неправильный оператор.
Исправьте ошибку или используйте клавишу Esc для отмены редактирования формулы.", + "notcriticalErrorTitle": "Внимание", + "openErrorText": "При открытии файла произошла ошибка", + "pastInMergeAreaError": "Нельзя изменить часть объединенной ячейки", + "saveErrorText": "При сохранении файла произошла ошибка", + "scriptLoadError": "Слишком медленное подключение, некоторые компоненты не удалось загрузить. Пожалуйста, обновите страницу.", + "unknownErrorText": "Неизвестная ошибка.", + "uploadImageExtMessage": "Неизвестный формат рисунка.", + "uploadImageFileCountMessage": "Ни одного рисунка не загружено.", + "uploadImageSizeMessage": "Слишком большой рисунок. Максимальный размер - 25 MB." + }, + "LongActions": { + "applyChangesTextText": "Загрузка данных...", + "applyChangesTitleText": "Загрузка данных", + "confirmMoveCellRange": "Конечный диапазон ячеек может содержать данные. Продолжить операцию?", + "confirmPutMergeRange": "Исходные данные содержат объединенные ячейки.
Перед вставкой в таблицу они будут разделены.", + "confirmReplaceFormulaInTable": "Формулы в строке заголовка будут удалены и преобразованы в статический текст.
Вы хотите продолжить?", + "downloadTextText": "Загрузка документа...", + "downloadTitleText": "Загрузка документа", + "loadFontsTextText": "Загрузка данных...", + "loadFontsTitleText": "Загрузка данных", + "loadFontTextText": "Загрузка данных...", + "loadFontTitleText": "Загрузка данных", + "loadImagesTextText": "Загрузка рисунков...", + "loadImagesTitleText": "Загрузка рисунков", + "loadImageTextText": "Загрузка рисунка...", + "loadImageTitleText": "Загрузка рисунка", + "loadingDocumentTextText": "Загрузка документа...", + "loadingDocumentTitleText": "Загрузка документа", + "notcriticalErrorTitle": "Внимание", + "openTextText": "Открытие документа...", + "openTitleText": "Открытие документа", + "printTextText": "Печать документа...", + "printTitleText": "Печать документа", + "savePreparingText": "Подготовка к сохранению", + "savePreparingTitle": "Подготовка к сохранению. Пожалуйста, подождите...", + "saveTextText": "Сохранение документа...", + "saveTitleText": "Сохранение документа", + "textLoadingDocument": "Загрузка документа", + "textNo": "Нет", + "textOk": "Ok", + "textYes": "Да", + "txtEditingMode": "Установка режима редактирования...", + "uploadImageTextText": "Загрузка рисунка...", + "uploadImageTitleText": "Загрузка рисунка", + "waitText": "Пожалуйста, подождите..." + }, + "Statusbar": { + "notcriticalErrorTitle": "Внимание", + "textCancel": "Отмена", + "textDelete": "Удалить", + "textDuplicate": "Дублировать", + "textErrNameExists": "Лист с таким именем уже существует.", + "textErrNameWrongChar": "Имя листа не может содержать символы: \\, /, *, ?, [, ], :", + "textErrNotEmpty": "Имя листа не должно быть пустым", + "textErrorLastSheet": "Книга должна содержать хотя бы один видимый лист.", + "textErrorRemoveSheet": "Не удалось удалить лист.", + "textHide": "Скрыть", + "textMore": "Ещё", + "textRename": "Переименовать", + "textRenameSheet": "Переименовать лист", + "textSheet": "Лист", + "textSheetName": "Имя листа", + "textUnhide": "Показать", + "textWarnDeleteSheet": "Лист может содержать данные. Продолжить операцию?" + }, + "Toolbar": { + "dlgLeaveMsgText": "В документе есть несохраненные изменения. Нажмите 'Остаться на странице', чтобы дождаться автосохранения. Нажмите 'Уйти со страницы', чтобы сбросить все несохраненные изменения.", + "dlgLeaveTitleText": "Вы выходите из приложения", + "leaveButtonText": "Уйти со страницы", + "stayButtonText": "Остаться на странице" + }, + "View": { + "Add": { + "errorMaxRows": "ОШИБКА! Максимальное число рядов данных для одной диаграммы - 255.", + "errorStockChart": "Неверный порядок строк. Чтобы создать биржевую диаграмму, расположите данные на листе в следующем порядке:
цена открытия, максимальная цена, минимальная цена, цена закрытия.", + "notcriticalErrorTitle": "Внимание", + "sCatDateAndTime": "Дата и время", + "sCatEngineering": "Инженерные", + "sCatFinancial": "Финансовые", + "sCatInformation": "Информационные", + "sCatLogical": "Логические", + "sCatLookupAndReference": "Поиск и ссылки", + "sCatMathematic": "Математические", + "sCatStatistical": "Статистические", + "sCatTextAndData": "Текст и данные", + "textAddLink": "Добавить ссылку", + "textAddress": "Адрес", + "textBack": "Назад", + "textChart": "Диаграмма", + "textComment": "Комментарий", + "textDisplay": "Отображать", + "textEmptyImgUrl": "Необходимо указать URL рисунка.", + "textExternalLink": "Внешняя ссылка", + "textFilter": "Фильтр", + "textFunction": "Функция", + "textGroups": "КАТЕГОРИИ", + "textImage": "Рисунок", + "textImageURL": "URL рисунка", + "textInsert": "Вставить", + "textInsertImage": "Вставить рисунок", + "textInternalDataRange": "Внутренний диапазон данных", + "textInvalidRange": "ОШИБКА! Недопустимый диапазон ячеек", + "textLink": "Ссылка", + "textLinkSettings": "Настройки ссылки", + "textLinkType": "Тип ссылки", + "textOther": "Другое", + "textPictureFromLibrary": "Рисунок из библиотеки", + "textPictureFromURL": "Рисунок по URL", + "textRange": "Диапазон", + "textRequired": "Обязательно", + "textScreenTip": "Подсказка", + "textShape": "Фигура", + "textSheet": "Лист", + "textSortAndFilter": "Сортировка и фильтрация", + "txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"" + }, + "Edit": { + "notcriticalErrorTitle": "Внимание", + "textAccounting": "Финансовый", + "textActualSize": "Реальный размер", + "textAddCustomColor": "Добавить пользовательский цвет", + "textAddress": "Адрес", + "textAlign": "Выравнивание", + "textAlignBottom": "По нижнему краю", + "textAlignCenter": "По центру", + "textAlignLeft": "По левому краю", + "textAlignMiddle": "По середине", + "textAlignRight": "По правому краю", + "textAlignTop": "По верхнему краю", + "textAllBorders": "Все границы", + "textAngleClockwise": "Текст по часовой стрелке", + "textAngleCounterclockwise": "Текст против часовой стрелки", + "textAuto": "Авто", + "textAxisCrosses": "Пересечение с осью", + "textAxisOptions": "Параметры оси", + "textAxisPosition": "Положение оси", + "textAxisTitle": "Название оси", + "textBack": "Назад", + "textBetweenTickMarks": "Между делениями", + "textBillions": "Миллиарды", + "textBorder": "Граница", + "textBorderStyle": "Стиль границ", + "textBottom": "Снизу", + "textBottomBorder": "Нижняя граница", + "textBringToForeground": "Перенести на передний план", + "textCell": "Ячейка", + "textCellStyles": "Стили ячеек", + "textCenter": "По центру", + "textChart": "Диаграмма", + "textChartTitle": "Заголовок диаграммы", + "textClearFilter": "Очистить фильтр", + "textColor": "Цвет", + "textCross": "На пересечении", + "textCrossesValue": "Значение", + "textCurrency": "Денежный", + "textCustomColor": "Пользовательский цвет", + "textDataLabels": "Подписи данных", + "textDate": "Дата", + "textDefault": "Выбранный диапазон", + "textDeleteFilter": "Удалить фильтр", + "textDesign": "Вид", + "textDiagonalDownBorder": "Диагональная граница сверху вниз", + "textDiagonalUpBorder": "Диагональная граница снизу вверх", + "textDisplay": "Отображать", + "textDisplayUnits": "Единицы отображения", + "textDollar": "Доллар", + "textEditLink": "Редактировать ссылку", + "textEffects": "Эффекты", + "textEmptyImgUrl": "Необходимо указать URL рисунка.", + "textEmptyItem": "{Пустые}", + "textErrorMsg": "Необходимо выбрать хотя бы одно значение", + "textErrorTitle": "Внимание", + "textEuro": "Евро", + "textExternalLink": "Внешняя ссылка", + "textFill": "Заливка", + "textFillColor": "Цвет заливки", + "textFilterOptions": "Параметры фильтра", + "textFit": "По ширине", + "textFonts": "Шрифты", + "textFormat": "Формат", + "textFraction": "Дробный", + "textFromLibrary": "Рисунок из библиотеки", + "textFromURL": "Рисунок по URL", + "textGeneral": "Общий", + "textGridlines": "Линии сетки", + "textHigh": "Выше", + "textHorizontal": "По горизонтали", + "textHorizontalAxis": "Горизонтальная ось", + "textHorizontalText": "Горизонтальный текст", + "textHundredMil": "100 000 000", + "textHundreds": "Сотни", + "textHundredThousands": "100 000", + "textHyperlink": "Гиперссылка", + "textImage": "Рисунок", + "textImageURL": "URL рисунка", + "textIn": "Внутри", + "textInnerBottom": "Внутри снизу", + "textInnerTop": "Внутри сверху", + "textInsideBorders": "Внутренние границы", + "textInsideHorizontalBorder": "Внутренняя горизонтальная граница", + "textInsideVerticalBorder": "Внутренняя вертикальная граница", + "textInteger": "Целочисленный", + "textInternalDataRange": "Внутренний диапазон данных", + "textInvalidRange": "Недопустимый диапазон ячеек", + "textJustified": "По ширине", + "textLabelOptions": "Параметры подписи", + "textLabelPosition": "Положение подписи", + "textLayout": "Макет", + "textLeft": "Слева", + "textLeftBorder": "Левая граница", + "textLeftOverlay": "Наложение слева", + "textLegend": "Условные обозначения", + "textLink": "Ссылка", + "textLinkSettings": "Настройки ссылки", + "textLinkType": "Тип ссылки", + "textLow": "Ниже", + "textMajor": "Основные", + "textMajorAndMinor": "Основные и дополнительные", + "textMajorType": "Основной тип", + "textMaximumValue": "Максимум", + "textMedium": "Средние", + "textMillions": "Миллионы", + "textMinimumValue": "Минимум", + "textMinor": "Дополнительные", + "textMinorType": "Дополнительный тип", + "textMoveBackward": "Перенести назад", + "textMoveForward": "Перенести вперед", + "textNextToAxis": "Рядом с осью", + "textNoBorder": "Без границ", + "textNone": "Нет", + "textNoOverlay": "Без наложения", + "textNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"", + "textNumber": "Числовой", + "textOnTickMarks": "Деления", + "textOpacity": "Прозрачность", + "textOut": "Снаружи", + "textOuterTop": "Снаружи сверху", + "textOutsideBorders": "Внешние границы", + "textOverlay": "Наложение", + "textPercentage": "Процентный", + "textPictureFromLibrary": "Рисунок из библиотеки", + "textPictureFromURL": "Рисунок по URL", + "textPound": "Фунт", + "textPt": "пт", + "textRange": "Диапазон", + "textRemoveChart": "Удалить диаграмму", + "textRemoveImage": "Удалить рисунок", + "textRemoveLink": "Удалить ссылку", + "textRemoveShape": "Удалить фигуру", + "textReorder": "Порядок", + "textReplace": "Заменить", + "textReplaceImage": "Заменить рисунок", + "textRequired": "Обязательно", + "textRight": "Справа", + "textRightBorder": "Правая граница", + "textRightOverlay": "Наложение справа", + "textRotated": "Повернутое", + "textRotateTextDown": "Повернуть текст вниз", + "textRotateTextUp": "Повернуть текст вверх", + "textRouble": "Рубль", + "textScientific": "Научный", + "textScreenTip": "Подсказка", + "textSelectAll": "Выделить всё", + "textSelectObjectToEdit": "Выберите объект для редактирования", + "textSendToBackground": "Перенести на задний план", + "textSettings": "Настройки", + "textShape": "Фигура", + "textSheet": "Лист", + "textSize": "Размер", + "textStyle": "Стиль", + "textTenMillions": "10 000 000", + "textTenThousands": "10 000", + "textText": "Текст", + "textTextColor": "Цвет текста", + "textTextFormat": "Формат текста", + "textTextOrientation": "Ориентация текста", + "textThick": "Толстые", + "textThin": "Тонкие", + "textThousands": "Тысячи", + "textTickOptions": "Параметры делений", + "textTime": "Время", + "textTop": "Сверху", + "textTopBorder": "Верхняя граница", + "textTrillions": "Триллионы", + "textType": "Тип", + "textValue": "Значение", + "textValuesInReverseOrder": "Значения в обратном порядке", + "textVertical": "По вертикали", + "textVerticalAxis": "Вертикальная ось", + "textVerticalText": "Вертикальный текст", + "textWrapText": "Перенос текста", + "textYen": "Йена", + "txtNotUrl": "Это поле должно быть URL-адресом в формате \"http://www.example.com\"" + }, + "Settings": { + "advCSVOptions": "Выбрать параметры CSV", + "advDRMEnterPassword": "Введите пароль:", + "advDRMOptions": "Защищенный файл", + "advDRMPassword": "Пароль", + "closeButtonText": "Закрыть файл", + "notcriticalErrorTitle": "Внимание", + "textAbout": "О программе", + "textAddress": "Адрес", + "textApplication": "Приложение", + "textApplicationSettings": "Настройки приложения", + "textAuthor": "Автор", + "textBack": "Назад", + "textBottom": "Снизу", + "textByColumns": "По столбцам", + "textByRows": "По строкам", + "textCancel": "Отмена", + "textCentimeter": "Сантиметр", + "textCollaboration": "Совместная работа", + "textColorSchemes": "Цветовые схемы", + "textComment": "Комментарий", + "textCommentingDisplay": "Отображение комментариев", + "textComments": "Комментарии", + "textCreated": "Создана", + "textCustomSize": "Особый размер", + "textDisableAll": "Отключить все", + "textDisableAllMacrosWithNotification": "Отключить все макросы с уведомлением", + "textDisableAllMacrosWithoutNotification": "Отключить все макросы без уведомления", + "textDone": "Готово", + "textDownload": "Скачать", + "textDownloadAs": "Скачать как", + "textEmail": "Еmail", + "textEnableAll": "Включить все", + "textEnableAllMacrosWithoutNotification": "Включить все макросы без уведомления", + "textFind": "Поиск", + "textFindAndReplace": "Поиск и замена", + "textFindAndReplaceAll": "Найти и заменить все", + "textFormat": "Формат", + "textFormulaLanguage": "Язык формул", + "textFormulas": "Формулы", + "textHelp": "Справка", + "textHideGridlines": "Скрыть линии сетки", + "textHideHeadings": "Скрыть заголовки", + "textHighlightRes": "Выделить результаты", + "textInch": "Дюйм", + "textLandscape": "Альбомная", + "textLastModified": "Последнее изменение", + "textLastModifiedBy": "Автор последнего изменения", + "textLeft": "Слева", + "textLocation": "Размещение", + "textLookIn": "Область поиска", + "textMacrosSettings": "Настройки макросов", + "textMargins": "Поля", + "textMatchCase": "С учетом регистра", + "textMatchCell": "Сопоставление ячеек", + "textNoTextFound": "Текст не найден", + "textOpenFile": "Введите пароль для открытия файла", + "textOrientation": "Ориентация", + "textOwner": "Владелец", + "textPoint": "Пункт", + "textPortrait": "Книжная", + "textPoweredBy": "Разработано", + "textPrint": "Печать", + "textR1C1Style": "Стиль ссылок R1C1", + "textRegionalSettings": "Региональные параметры", + "textReplace": "Заменить", + "textReplaceAll": "Заменить все", + "textResolvedComments": "Решенные комментарии", + "textRight": "Справа", + "textSearch": "Поиск", + "textSearchBy": "Поиск", + "textSearchIn": "Искать", + "textSettings": "Настройки", + "textSheet": "Лист", + "textShowNotification": "Показывать уведомление", + "textSpreadsheetFormats": "Форматы таблицы", + "textSpreadsheetInfo": "Информация о таблице", + "textSpreadsheetSettings": "Настройки таблицы", + "textSpreadsheetTitle": "Название таблицы", + "textSubject": "Тема", + "textTel": "Телефон", + "textTitle": "Название", + "textTop": "Сверху", + "textUnitOfMeasurement": "Единица измерения", + "textUploaded": "Загружена", + "textValues": "Значения", + "textVersion": "Версия", + "textWorkbook": "В книге", + "txtDelimiter": "Разделитель", + "txtEncoding": "Кодировка", + "txtIncorrectPwd": "Неверный пароль", + "txtProtected": "Как только вы введете пароль и откроете файл, текущий пароль к файлу будет сброшен", + "txtSpace": "Пробел", + "txtTab": "Табуляция", + "warnDownloadAs": "Если вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян.
Вы действительно хотите продолжить?" + } + } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/zh.json b/apps/spreadsheeteditor/mobile/locale/zh.json index 8a0b99560..6c3c1a04b 100644 --- a/apps/spreadsheeteditor/mobile/locale/zh.json +++ b/apps/spreadsheeteditor/mobile/locale/zh.json @@ -1,647 +1,575 @@ { - "Common.Controllers.Collaboration.textAddReply": "添加回复", - "Common.Controllers.Collaboration.textCancel": "取消", - "Common.Controllers.Collaboration.textDeleteComment": "删除批注", - "Common.Controllers.Collaboration.textDeleteReply": "删除回复", - "Common.Controllers.Collaboration.textDone": "完成", - "Common.Controllers.Collaboration.textEdit": "编辑", - "Common.Controllers.Collaboration.textEditUser": "文件正在被多个用户编辑。", - "Common.Controllers.Collaboration.textMessageDeleteComment": "您确定要删除此批注吗?", - "Common.Controllers.Collaboration.textMessageDeleteReply": "你确定要删除这一回复吗?", - "Common.Controllers.Collaboration.textReopen": "重新打开", - "Common.Controllers.Collaboration.textResolve": "解决", - "Common.Controllers.Collaboration.textYes": "是", - "Common.UI.ThemeColorPalette.textCustomColors": "自定义颜色", - "Common.UI.ThemeColorPalette.textStandartColors": "标准颜色", - "Common.UI.ThemeColorPalette.textThemeColors": "主题颜色", - "Common.Utils.Metric.txtCm": "厘米", - "Common.Utils.Metric.txtPt": "像素", - "Common.Views.Collaboration.textAddReply": "添加回复", - "Common.Views.Collaboration.textBack": "返回", - "Common.Views.Collaboration.textCancel": "取消", - "Common.Views.Collaboration.textCollaboration": "协作", - "Common.Views.Collaboration.textDone": "完成", - "Common.Views.Collaboration.textEditReply": "编辑回复", - "Common.Views.Collaboration.textEditUsers": "用户", - "Common.Views.Collaboration.textEditСomment": "编辑批注", - "Common.Views.Collaboration.textNoComments": "此电子表格不包含批注", - "Common.Views.Collaboration.textСomments": "评论", - "SSE.Controllers.AddChart.txtDiagramTitle": "图表标题", - "SSE.Controllers.AddChart.txtSeries": "系列", - "SSE.Controllers.AddChart.txtXAxis": "X轴", - "SSE.Controllers.AddChart.txtYAxis": "Y轴", - "SSE.Controllers.AddContainer.textChart": "图表", - "SSE.Controllers.AddContainer.textFormula": "功能", - "SSE.Controllers.AddContainer.textImage": "图片", - "SSE.Controllers.AddContainer.textOther": "其他", - "SSE.Controllers.AddContainer.textShape": "形状", - "SSE.Controllers.AddLink.textInvalidRange": "错误!无效的单元格范围", - "SSE.Controllers.AddLink.txtNotUrl": "此字段应为格式为“http://www.example.com”的网址", - "SSE.Controllers.AddOther.textCancel": "取消", - "SSE.Controllers.AddOther.textContinue": "继续", - "SSE.Controllers.AddOther.textDelete": "删除", - "SSE.Controllers.AddOther.textDeleteDraft": "你确定要删除这一稿吗?", - "SSE.Controllers.AddOther.textEmptyImgUrl": "您需要指定图像URL。", - "SSE.Controllers.AddOther.txtNotUrl": "此字段应为格式为“http://www.example.com”的网址", - "SSE.Controllers.DocumentHolder.errorCopyCutPaste": "使用上下文菜单的复制、剪切和粘贴操作将仅在当前文件中执行。", - "SSE.Controllers.DocumentHolder.menuAddComment": "添加批注", - "SSE.Controllers.DocumentHolder.menuAddLink": "增加链接", - "SSE.Controllers.DocumentHolder.menuCell": "元件", - "SSE.Controllers.DocumentHolder.menuCopy": "复制", - "SSE.Controllers.DocumentHolder.menuCut": "剪切", - "SSE.Controllers.DocumentHolder.menuDelete": "删除", - "SSE.Controllers.DocumentHolder.menuEdit": "编辑", - "SSE.Controllers.DocumentHolder.menuFreezePanes": "冻结窗格", - "SSE.Controllers.DocumentHolder.menuHide": "隐藏", - "SSE.Controllers.DocumentHolder.menuMerge": "合并", - "SSE.Controllers.DocumentHolder.menuMore": "更多", - "SSE.Controllers.DocumentHolder.menuOpenLink": "打开链接", - "SSE.Controllers.DocumentHolder.menuPaste": "粘贴", - "SSE.Controllers.DocumentHolder.menuShow": "显示", - "SSE.Controllers.DocumentHolder.menuUnfreezePanes": "解冻窗格", - "SSE.Controllers.DocumentHolder.menuUnmerge": "取消合并", - "SSE.Controllers.DocumentHolder.menuUnwrap": "展开", - "SSE.Controllers.DocumentHolder.menuViewComment": "查看批注", - "SSE.Controllers.DocumentHolder.menuWrap": "包裹", - "SSE.Controllers.DocumentHolder.sheetCancel": "取消", - "SSE.Controllers.DocumentHolder.textCopyCutPasteActions": "复制,剪切和粘贴操作", - "SSE.Controllers.DocumentHolder.textDoNotShowAgain": "不要再显示", - "SSE.Controllers.DocumentHolder.warnMergeLostData": "只有来自左上方单元格的数据将保留在合并的单元格中。
您确定要继续吗?", - "SSE.Controllers.EditCell.textAuto": "自动", - "SSE.Controllers.EditCell.textFonts": "字体", - "SSE.Controllers.EditCell.textPt": "像素", - "SSE.Controllers.EditChart.errorMaxRows": "错误!每个图表的最大数据系列数为255。", - "SSE.Controllers.EditChart.errorStockChart": "行顺序不正确。建立股票图表将数据按照以下顺序放置在表格上:
开盘价,最高价格,最低价格,收盘价。", - "SSE.Controllers.EditChart.textAuto": "自动", - "SSE.Controllers.EditChart.textBetweenTickMarks": "刻度线之间", - "SSE.Controllers.EditChart.textBillions": "十亿", - "SSE.Controllers.EditChart.textBottom": "底部", - "SSE.Controllers.EditChart.textCenter": "中心", - "SSE.Controllers.EditChart.textCross": "交叉", - "SSE.Controllers.EditChart.textCustom": "自定义", - "SSE.Controllers.EditChart.textFit": "适合宽度", - "SSE.Controllers.EditChart.textFixed": "固定", - "SSE.Controllers.EditChart.textHigh": "高", - "SSE.Controllers.EditChart.textHorizontal": "水平的", - "SSE.Controllers.EditChart.textHundredMil": "100 000 000", - "SSE.Controllers.EditChart.textHundreds": "数以百计", - "SSE.Controllers.EditChart.textHundredThousands": "100 000", - "SSE.Controllers.EditChart.textIn": "在", - "SSE.Controllers.EditChart.textInnerBottom": "内底", - "SSE.Controllers.EditChart.textInnerTop": "内顶", - "SSE.Controllers.EditChart.textLeft": "左", - "SSE.Controllers.EditChart.textLeftOverlay": "左叠加", - "SSE.Controllers.EditChart.textLow": "低", - "SSE.Controllers.EditChart.textManual": "手动更改", - "SSE.Controllers.EditChart.textMaxValue": "最大值", - "SSE.Controllers.EditChart.textMillions": "百万", - "SSE.Controllers.EditChart.textMinValue": "最小值", - "SSE.Controllers.EditChart.textNextToAxis": "在轴旁边", - "SSE.Controllers.EditChart.textNone": "没有", - "SSE.Controllers.EditChart.textNoOverlay": "没有叠加", - "SSE.Controllers.EditChart.textOnTickMarks": "刻度标记", - "SSE.Controllers.EditChart.textOut": "退出", - "SSE.Controllers.EditChart.textOuterTop": "外顶", - "SSE.Controllers.EditChart.textOverlay": "覆盖", - "SSE.Controllers.EditChart.textRight": "右", - "SSE.Controllers.EditChart.textRightOverlay": "正确覆盖", - "SSE.Controllers.EditChart.textRotated": "旋转", - "SSE.Controllers.EditChart.textTenMillions": "10 000 000", - "SSE.Controllers.EditChart.textTenThousands": "10 000", - "SSE.Controllers.EditChart.textThousands": "成千上万", - "SSE.Controllers.EditChart.textTop": "顶部", - "SSE.Controllers.EditChart.textTrillions": "万亿", - "SSE.Controllers.EditChart.textValue": "值", - "SSE.Controllers.EditContainer.textCell": "元件", - "SSE.Controllers.EditContainer.textChart": "图表", - "SSE.Controllers.EditContainer.textHyperlink": "超链接", - "SSE.Controllers.EditContainer.textImage": "图片", - "SSE.Controllers.EditContainer.textSettings": "设置", - "SSE.Controllers.EditContainer.textShape": "形状", - "SSE.Controllers.EditContainer.textTable": "表格", - "SSE.Controllers.EditContainer.textText": "文本", - "SSE.Controllers.EditHyperlink.textDefault": "选择范围", - "SSE.Controllers.EditHyperlink.textEmptyImgUrl": "您需要指定图像URL。", - "SSE.Controllers.EditHyperlink.textExternalLink": "外部链接", - "SSE.Controllers.EditHyperlink.textInternalLink": "内部数据范围", - "SSE.Controllers.EditHyperlink.textInvalidRange": "无效的单元格范围", - "SSE.Controllers.EditHyperlink.txtNotUrl": "该字段应为“http://www.example.com”格式的URL", - "SSE.Controllers.FilterOptions.textEmptyItem": "空白", - "SSE.Controllers.FilterOptions.textErrorMsg": "您必须至少选择一个值", - "SSE.Controllers.FilterOptions.textErrorTitle": "警告", - "SSE.Controllers.FilterOptions.textSelectAll": "全选", - "SSE.Controllers.Main.advCSVOptions": "选择CSV选项", - "SSE.Controllers.Main.advDRMEnterPassword": "输入密码:", - "SSE.Controllers.Main.advDRMOptions": "受保护的文件", - "SSE.Controllers.Main.advDRMPassword": "密码", - "SSE.Controllers.Main.applyChangesTextText": "数据加载中…", - "SSE.Controllers.Main.applyChangesTitleText": "数据加载中", - "SSE.Controllers.Main.closeButtonText": "关闭文件", - "SSE.Controllers.Main.convertationTimeoutText": "转换超时", - "SSE.Controllers.Main.criticalErrorExtText": "按“确定”返回文件列表", - "SSE.Controllers.Main.criticalErrorTitle": "错误:", - "SSE.Controllers.Main.downloadErrorText": "下载失败", - "SSE.Controllers.Main.downloadMergeText": "下载中…", - "SSE.Controllers.Main.downloadMergeTitle": "下载中", - "SSE.Controllers.Main.downloadTextText": "电子表格下载中...", - "SSE.Controllers.Main.downloadTitleText": "电子表格下载中", - "SSE.Controllers.Main.errorAccessDeny": "您正在尝试执行您没有权限的操作。
请联系您的文档服务器管理员.", - "SSE.Controllers.Main.errorArgsRange": "一个错误的输入公式。< br >使用不正确的参数范围。", - "SSE.Controllers.Main.errorAutoFilterChange": "不允许操作,因为它正在尝试在工作表上的表格中移动单元格。", - "SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "无法对所选单元格进行操作,因为您无法移动表格的一部分。
选择其他数据范围,以便整个表格被移动并重试。", - "SSE.Controllers.Main.errorAutoFilterDataRange": "所选单元格区域无法进行操作。
选择与现有单元格不同的统一数据范围,然后重试。", - "SSE.Controllers.Main.errorAutoFilterHiddenRange": "无法执行操作,因为该区域包含已过滤的单元格。
请取消隐藏已过滤的元素,然后重试。", - "SSE.Controllers.Main.errorBadImageUrl": "图片地址不正确", - "SSE.Controllers.Main.errorChangeArray": "您无法更改部分阵列。", - "SSE.Controllers.Main.errorCoAuthoringDisconnect": "服务器连接丢失。该文档现在无法编辑", - "SSE.Controllers.Main.errorConnectToServer": "这份文件无法保存。请检查连接设置或联系您的管理员。
当你点击“OK”按钮,系统将提示您下载文档。", - "SSE.Controllers.Main.errorCopyMultiselectArea": "该命令不能与多个选择一起使用。
选择一个范围,然后重试。", - "SSE.Controllers.Main.errorCountArg": "一个错误的输入公式。< br >正确使用数量的参数。", - "SSE.Controllers.Main.errorCountArgExceed": "一个错误的输入公式。< br >超过数量的参数。", - "SSE.Controllers.Main.errorCreateDefName": "无法编辑现有的命名范围,因此无法在其中编辑新的范围。", - "SSE.Controllers.Main.errorDatabaseConnection": "外部错误。
数据库连接错误。如果错误仍然存​​在,请联系支持人员。", - "SSE.Controllers.Main.errorDataEncrypted": "加密更改已收到,无法对其解密。", - "SSE.Controllers.Main.errorDataRange": "数据范围不正确", - "SSE.Controllers.Main.errorDefaultMessage": "错误代码:%1", - "SSE.Controllers.Main.errorEditingDownloadas": "在处理文档期间发生错误。
使用“下载”选项将文件备份复制到计算机硬盘中。", - "SSE.Controllers.Main.errorFilePassProtect": "该文档受密码保护,无法被打开。", - "SSE.Controllers.Main.errorFileRequest": "外部错误。
文件请求错误。如果错误仍然存​​在,请联系支持人员。", - "SSE.Controllers.Main.errorFileSizeExceed": "文件大小超出了为服务器设置的限制.
有关详细信息,请与文档服务器管理员联系。", - "SSE.Controllers.Main.errorFileVKey": "外部错误。
安全密钥错误。如果错误仍然存​​在,请联系支持人员。", - "SSE.Controllers.Main.errorFillRange": "无法填充所选范围的单元格。
所有合并的单元格的大小必须相同。", - "SSE.Controllers.Main.errorFormulaName": "一个错误的输入公式。< br >正确使用公式名称。", - "SSE.Controllers.Main.errorFormulaParsing": "解析公式时出现内部错误。", - "SSE.Controllers.Main.errorFrmlMaxLength": "公式添加失败:公式中字符的长度超出限制。
请编辑后重试。", - "SSE.Controllers.Main.errorFrmlMaxTextLength": "公式中的文本值限制为255个字符。
使用连接函数或连接运算符(&)。", - "SSE.Controllers.Main.errorFrmlWrongReferences": "该功能是指不存在的工作表。
请检查数据,然后重试。", - "SSE.Controllers.Main.errorInvalidRef": "输入选择的正确名称或有效参考。", - "SSE.Controllers.Main.errorKeyEncrypt": "未知密钥描述", - "SSE.Controllers.Main.errorKeyExpire": "密钥过期", - "SSE.Controllers.Main.errorLockedAll": "由于工作表被其他用户锁定,因此无法进行操作。", - "SSE.Controllers.Main.errorLockedWorksheetRename": "此时由于其他用户重命名该表单,因此无法重命名该表", - "SSE.Controllers.Main.errorMailMergeLoadFile": "加载失败", - "SSE.Controllers.Main.errorMailMergeSaveFile": "合并失败", - "SSE.Controllers.Main.errorMaxPoints": "每个图表序列的最大点值为4096。", - "SSE.Controllers.Main.errorMoveRange": "不能改变合并单元的一部分", - "SSE.Controllers.Main.errorMultiCellFormula": "表格中不允许使用多单元格数组公式。", - "SSE.Controllers.Main.errorOpensource": "这个免费的社区版本只能够用来查看文件。要想在手机上使用在线编辑工具,请购买商业版。", - "SSE.Controllers.Main.errorOpenWarning": "文件中的一个公式的长度超过了
允许的字符数,并被删除。", - "SSE.Controllers.Main.errorOperandExpected": "输入的函数语法不正确。请检查你是否缺少一个括号 - '('或')'。", - "SSE.Controllers.Main.errorPasteMaxRange": "复制和粘贴区域不匹配。
请选择相同尺寸的区域,或单击一行中的第一个单元格以粘贴复制的单元格。", - "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.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.errorWrongBracketsCount": "一个错误的输入公式。< br >用括号打错了。", - "SSE.Controllers.Main.errorWrongOperator": "公式输入发生错误。操作不当,请改正!", - "SSE.Controllers.Main.leavePageText": "您在本文档中有未保存的更改。点击“停留在此页面”,等待文档的自动保存。点击“离开此页面”,放弃所有未保存的更改。", - "SSE.Controllers.Main.loadFontsTextText": "数据加载中…", - "SSE.Controllers.Main.loadFontsTitleText": "数据加载中", - "SSE.Controllers.Main.loadFontTextText": "数据加载中…", - "SSE.Controllers.Main.loadFontTitleText": "数据加载中", - "SSE.Controllers.Main.loadImagesTextText": "图片加载中…", - "SSE.Controllers.Main.loadImagesTitleText": "图片加载中", - "SSE.Controllers.Main.loadImageTextText": "图片加载中…", - "SSE.Controllers.Main.loadImageTitleText": "图片加载中", - "SSE.Controllers.Main.loadingDocumentTextText": "文件加载中…", - "SSE.Controllers.Main.loadingDocumentTitleText": "文件加载中", - "SSE.Controllers.Main.mailMergeLoadFileText": "原始数据加载中…", - "SSE.Controllers.Main.mailMergeLoadFileTitle": "原始数据加载中…", - "SSE.Controllers.Main.notcriticalErrorTitle": "警告", - "SSE.Controllers.Main.openErrorText": "打开文件时发生错误", - "SSE.Controllers.Main.openTextText": "打开文件...", - "SSE.Controllers.Main.openTitleText": "正在打开文件", - "SSE.Controllers.Main.pastInMergeAreaError": "不能改变合并单元的一部分", - "SSE.Controllers.Main.printTextText": "打印文件", - "SSE.Controllers.Main.printTitleText": "打印文件", - "SSE.Controllers.Main.reloadButtonText": "重新加载页面", - "SSE.Controllers.Main.requestEditFailedMessageText": "有人正在编辑此文档。请稍后再试。", - "SSE.Controllers.Main.requestEditFailedTitleText": "访问被拒绝", - "SSE.Controllers.Main.saveErrorText": "保存文件时发生错误", - "SSE.Controllers.Main.savePreparingText": "图像上传中……", - "SSE.Controllers.Main.savePreparingTitle": "图像上传中请稍候...", - "SSE.Controllers.Main.saveTextText": "保存文件…", - "SSE.Controllers.Main.saveTitleText": "保存文件", - "SSE.Controllers.Main.scriptLoadError": "连接速度过慢,部分组件无法被加载。请重新加载页面。", - "SSE.Controllers.Main.sendMergeText": "任务合并", - "SSE.Controllers.Main.sendMergeTitle": "任务合并", - "SSE.Controllers.Main.textAnonymous": "匿名", - "SSE.Controllers.Main.textBack": "返回", - "SSE.Controllers.Main.textBuyNow": "访问网站", - "SSE.Controllers.Main.textCancel": "取消", - "SSE.Controllers.Main.textClose": "关闭", - "SSE.Controllers.Main.textContactUs": "联系销售", - "SSE.Controllers.Main.textCustomLoader": "请注意,根据许可条款您无权更改加载程序。
请联系我们的销售部门获取报价。", - "SSE.Controllers.Main.textDone": "完成", - "SSE.Controllers.Main.textHasMacros": "这个文件带有自动宏。
是否要运行宏?", - "SSE.Controllers.Main.textLoadingDocument": "文件加载中", - "SSE.Controllers.Main.textNo": "不", - "SSE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE开源版本", - "SSE.Controllers.Main.textOK": "确定", - "SSE.Controllers.Main.textPaidFeature": "付费功能", - "SSE.Controllers.Main.textPassword": "密码", - "SSE.Controllers.Main.textPreloader": "载入中……", - "SSE.Controllers.Main.textRemember": "记住我的选择", - "SSE.Controllers.Main.textShape": "形状", - "SSE.Controllers.Main.textStrict": "严格模式", - "SSE.Controllers.Main.textTryUndoRedo": "对于快速的协同编辑模式,取消/重做功能是禁用的。< br >单击“严格模式”按钮切换到严格co-editing模式编辑该文件没有其他用户干扰和发送您的更改只后你拯救他们。您可以使用编辑器高级设置在编辑模式之间切换。", - "SSE.Controllers.Main.textUsername": "用户名", - "SSE.Controllers.Main.textYes": "是", - "SSE.Controllers.Main.titleLicenseExp": "许可证过期", - "SSE.Controllers.Main.titleServerVersion": "编辑器已更新", - "SSE.Controllers.Main.titleUpdateVersion": "版本已变化", - "SSE.Controllers.Main.txtAccent": "强调", - "SSE.Controllers.Main.txtArt": "你的文本在此", - "SSE.Controllers.Main.txtBasicShapes": "基本形状", - "SSE.Controllers.Main.txtButtons": "按钮", - "SSE.Controllers.Main.txtCallouts": "标注", - "SSE.Controllers.Main.txtCharts": "图表", - "SSE.Controllers.Main.txtDelimiter": "字段分隔符", - "SSE.Controllers.Main.txtDiagramTitle": "图表标题", - "SSE.Controllers.Main.txtEditingMode": "设置编辑模式..", - "SSE.Controllers.Main.txtEncoding": "编码", - "SSE.Controllers.Main.txtErrorLoadHistory": "载入记录失败", - "SSE.Controllers.Main.txtFiguredArrows": "图形箭头", - "SSE.Controllers.Main.txtLines": "行", - "SSE.Controllers.Main.txtMath": "数学", - "SSE.Controllers.Main.txtProtected": "在您输入密码和打开文件后,该文件的当前密码将被重置", - "SSE.Controllers.Main.txtRectangles": "矩形", - "SSE.Controllers.Main.txtSeries": "系列", - "SSE.Controllers.Main.txtSpace": "空格", - "SSE.Controllers.Main.txtStarsRibbons": "星星和丝带", - "SSE.Controllers.Main.txtStyle_Bad": "差", - "SSE.Controllers.Main.txtStyle_Calculation": "计算", - "SSE.Controllers.Main.txtStyle_Check_Cell": "检查单元格", - "SSE.Controllers.Main.txtStyle_Comma": "逗号", - "SSE.Controllers.Main.txtStyle_Currency": "货币", - "SSE.Controllers.Main.txtStyle_Explanatory_Text": "说明文本", - "SSE.Controllers.Main.txtStyle_Good": "好", - "SSE.Controllers.Main.txtStyle_Heading_1": "标题1", - "SSE.Controllers.Main.txtStyle_Heading_2": "标题2", - "SSE.Controllers.Main.txtStyle_Heading_3": "标题3", - "SSE.Controllers.Main.txtStyle_Heading_4": "标题4", - "SSE.Controllers.Main.txtStyle_Input": "输入", - "SSE.Controllers.Main.txtStyle_Linked_Cell": "关联的单元格", - "SSE.Controllers.Main.txtStyle_Neutral": "中立", - "SSE.Controllers.Main.txtStyle_Normal": "正常", - "SSE.Controllers.Main.txtStyle_Note": "备注", - "SSE.Controllers.Main.txtStyle_Output": "输出", - "SSE.Controllers.Main.txtStyle_Percent": "百分比", - "SSE.Controllers.Main.txtStyle_Title": "标题", - "SSE.Controllers.Main.txtStyle_Total": "总数", - "SSE.Controllers.Main.txtStyle_Warning_Text": "警告文本", - "SSE.Controllers.Main.txtTab": "标签", - "SSE.Controllers.Main.txtXAxis": "X轴", - "SSE.Controllers.Main.txtYAxis": "Y轴", - "SSE.Controllers.Main.unknownErrorText": "示知错误", - "SSE.Controllers.Main.unsupportedBrowserErrorText": "你的浏览器不支持", - "SSE.Controllers.Main.uploadImageExtMessage": "未知图像格式", - "SSE.Controllers.Main.uploadImageFileCountMessage": "没有图片上传", - "SSE.Controllers.Main.uploadImageSizeMessage": "超过最大图像尺寸限制。", - "SSE.Controllers.Main.uploadImageTextText": "上传图片...", - "SSE.Controllers.Main.uploadImageTitleText": "图片上传中", - "SSE.Controllers.Main.waitText": "请稍候...", - "SSE.Controllers.Main.warnLicenseExceeded": "与文档服务器的并发连接次数已超出限制,文档打开后将仅供查看。
请联系您的账户管理员了解详情。", - "SSE.Controllers.Main.warnLicenseExp": "您的许可证已过期。
请更新您的许可证并刷新页面。", - "SSE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。
请联系您的账户管理员了解详情。", - "SSE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。
如果需要更多请考虑购买商业许可证。", - "SSE.Controllers.Main.warnNoLicenseUsers": "此版本的 %1 编辑软件对并发用户数量有一定的限制。
如果需要更多,请考虑购买商用许可证。", - "SSE.Controllers.Main.warnProcessRightsChange": "您被拒绝编辑文件的权限。", - "SSE.Controllers.Search.textNoTextFound": "文本没找到", - "SSE.Controllers.Search.textReplaceAll": "全部替换", - "SSE.Controllers.Settings.notcriticalErrorTitle": "警告", - "SSE.Controllers.Settings.txtDe": "德语", - "SSE.Controllers.Settings.txtEn": "英语", - "SSE.Controllers.Settings.txtEs": "西班牙语", - "SSE.Controllers.Settings.txtFr": "法语", - "SSE.Controllers.Settings.txtIt": "意大利语", - "SSE.Controllers.Settings.txtPl": "抛光", - "SSE.Controllers.Settings.txtRu": "俄语", - "SSE.Controllers.Settings.warnDownloadAs": "如果您继续以此格式保存,除文本之外的所有功能将丢失。
您确定要继续吗?", - "SSE.Controllers.Statusbar.cancelButtonText": "取消", - "SSE.Controllers.Statusbar.errNameExists": "该名称已被其他工作表使用。", - "SSE.Controllers.Statusbar.errNameWrongChar": "表格名称中不能包含以下符号:\\, /, *, ?, [, ], :", - "SSE.Controllers.Statusbar.errNotEmpty": "工作表名称不能为空", - "SSE.Controllers.Statusbar.errorLastSheet": "工作簿必须至少有一个可见的工作表", - "SSE.Controllers.Statusbar.errorRemoveSheet": "不能删除工作表。", - "SSE.Controllers.Statusbar.menuDelete": "删除选定的内容", - "SSE.Controllers.Statusbar.menuDuplicate": "复制", - "SSE.Controllers.Statusbar.menuHide": "隐藏", - "SSE.Controllers.Statusbar.menuMore": "更多", - "SSE.Controllers.Statusbar.menuRename": "重命名", - "SSE.Controllers.Statusbar.menuUnhide": "取消隐藏", - "SSE.Controllers.Statusbar.notcriticalErrorTitle": "警告", - "SSE.Controllers.Statusbar.strRenameSheet": "重命名工作表", - "SSE.Controllers.Statusbar.strSheet": "表格", - "SSE.Controllers.Statusbar.strSheetName": "工作表名称", - "SSE.Controllers.Statusbar.textExternalLink": "外部链接", - "SSE.Controllers.Statusbar.warnDeleteSheet": "工作表可能有数据。继续操作?", - "SSE.Controllers.Toolbar.dlgLeaveMsgText": "您在本文档中有未保存的更改。点击“停留在此页面”,等待文档的自动保存。点击“离开此页面”,放弃所有未保存的更改。", - "SSE.Controllers.Toolbar.dlgLeaveTitleText": "你退出应用程序", - "SSE.Controllers.Toolbar.leaveButtonText": "离开这个页面", - "SSE.Controllers.Toolbar.stayButtonText": "保持此页上", - "SSE.Views.AddFunction.sCatDateAndTime": "日期和时间", - "SSE.Views.AddFunction.sCatEngineering": "工程", - "SSE.Views.AddFunction.sCatFinancial": "金融", - "SSE.Views.AddFunction.sCatInformation": "信息", - "SSE.Views.AddFunction.sCatLogical": "合乎逻辑", - "SSE.Views.AddFunction.sCatLookupAndReference": "查找和参考", - "SSE.Views.AddFunction.sCatMathematic": "数学和三角学", - "SSE.Views.AddFunction.sCatStatistical": "统计", - "SSE.Views.AddFunction.sCatTextAndData": "文字和数据", - "SSE.Views.AddFunction.textBack": "返回", - "SSE.Views.AddFunction.textGroups": "分类", - "SSE.Views.AddLink.textAddLink": "增加链接", - "SSE.Views.AddLink.textAddress": "地址", - "SSE.Views.AddLink.textDisplay": "展示", - "SSE.Views.AddLink.textExternalLink": "外部链接", - "SSE.Views.AddLink.textInsert": "插入", - "SSE.Views.AddLink.textInternalLink": "内部数据范围", - "SSE.Views.AddLink.textLink": "链接", - "SSE.Views.AddLink.textLinkType": "链接类型", - "SSE.Views.AddLink.textRange": "范围", - "SSE.Views.AddLink.textRequired": "需要", - "SSE.Views.AddLink.textSelectedRange": "选择范围", - "SSE.Views.AddLink.textSheet": "表格", - "SSE.Views.AddLink.textTip": "屏幕提示", - "SSE.Views.AddOther.textAddComment": "添加批注", - "SSE.Views.AddOther.textAddress": "地址", - "SSE.Views.AddOther.textBack": "返回", - "SSE.Views.AddOther.textComment": "批注", - "SSE.Views.AddOther.textDone": "完成", - "SSE.Views.AddOther.textFilter": "过滤", - "SSE.Views.AddOther.textFromLibrary": "图库", - "SSE.Views.AddOther.textFromURL": "图片来自网络", - "SSE.Views.AddOther.textImageURL": "图片地址", - "SSE.Views.AddOther.textInsert": "插入", - "SSE.Views.AddOther.textInsertImage": "插入图像", - "SSE.Views.AddOther.textLink": "链接", - "SSE.Views.AddOther.textLinkSettings": "链接设置", - "SSE.Views.AddOther.textSort": "排序和过滤", - "SSE.Views.EditCell.textAccounting": "统计", - "SSE.Views.EditCell.textAddCustomColor": "\n添加自定义颜色", - "SSE.Views.EditCell.textAlignBottom": "底部对齐", - "SSE.Views.EditCell.textAlignCenter": "居中对齐", - "SSE.Views.EditCell.textAlignLeft": "左对齐", - "SSE.Views.EditCell.textAlignMiddle": "对齐中间", - "SSE.Views.EditCell.textAlignRight": "右对齐", - "SSE.Views.EditCell.textAlignTop": "顶端对齐", - "SSE.Views.EditCell.textAllBorders": "所有边框", - "SSE.Views.EditCell.textAngleClockwise": "顺时针方向角", - "SSE.Views.EditCell.textAngleCounterclockwise": "逆时针方向角", - "SSE.Views.EditCell.textBack": "返回", - "SSE.Views.EditCell.textBorderStyle": "边框风格", - "SSE.Views.EditCell.textBottomBorder": "底端边框", - "SSE.Views.EditCell.textCellStyle": "单元格样式", - "SSE.Views.EditCell.textCharacterBold": "B", - "SSE.Views.EditCell.textCharacterItalic": "I", - "SSE.Views.EditCell.textCharacterUnderline": "U", - "SSE.Views.EditCell.textColor": "颜色", - "SSE.Views.EditCell.textCurrency": "货币", - "SSE.Views.EditCell.textCustomColor": "自定义颜色", - "SSE.Views.EditCell.textDate": "日期", - "SSE.Views.EditCell.textDiagDownBorder": "对角线下边界", - "SSE.Views.EditCell.textDiagUpBorder": "对角线上边界", - "SSE.Views.EditCell.textDollar": "美元", - "SSE.Views.EditCell.textEuro": "欧元", - "SSE.Views.EditCell.textFillColor": "填色", - "SSE.Views.EditCell.textFonts": "字体", - "SSE.Views.EditCell.textFormat": "格式", - "SSE.Views.EditCell.textGeneral": "常规", - "SSE.Views.EditCell.textHorizontalText": "横向文本", - "SSE.Views.EditCell.textInBorders": "内陆边界", - "SSE.Views.EditCell.textInHorBorder": "水平边框", - "SSE.Views.EditCell.textInteger": "整数", - "SSE.Views.EditCell.textInVertBorder": "内垂直边界", - "SSE.Views.EditCell.textJustified": "正当", - "SSE.Views.EditCell.textLeftBorder": "左边界", - "SSE.Views.EditCell.textMedium": "中", - "SSE.Views.EditCell.textNoBorder": "没有边框", - "SSE.Views.EditCell.textNumber": "数", - "SSE.Views.EditCell.textPercentage": "百分比", - "SSE.Views.EditCell.textPound": "磅", - "SSE.Views.EditCell.textRightBorder": "右边界", - "SSE.Views.EditCell.textRotateTextDown": "文本向下旋转", - "SSE.Views.EditCell.textRotateTextUp": "文本向上旋转", - "SSE.Views.EditCell.textRouble": "卢布", - "SSE.Views.EditCell.textScientific": "科学", - "SSE.Views.EditCell.textSize": "大小", - "SSE.Views.EditCell.textText": "文本", - "SSE.Views.EditCell.textTextColor": "文字颜色", - "SSE.Views.EditCell.textTextFormat": "文本格式", - "SSE.Views.EditCell.textTextOrientation": "文本方向", - "SSE.Views.EditCell.textThick": "厚", - "SSE.Views.EditCell.textThin": "瘦", - "SSE.Views.EditCell.textTime": "时间", - "SSE.Views.EditCell.textTopBorder": "顶级边界", - "SSE.Views.EditCell.textVerticalText": "纵向文本", - "SSE.Views.EditCell.textWrapText": "文字换行", - "SSE.Views.EditCell.textYen": "日元", - "SSE.Views.EditChart.textAddCustomColor": "\n添加自定义颜色", - "SSE.Views.EditChart.textAuto": "自动", - "SSE.Views.EditChart.textAxisCrosses": "轴十字架", - "SSE.Views.EditChart.textAxisOptions": "轴的选择", - "SSE.Views.EditChart.textAxisPosition": "轴的位置", - "SSE.Views.EditChart.textAxisTitle": "轴题标", - "SSE.Views.EditChart.textBack": "返回", - "SSE.Views.EditChart.textBackward": "向后移动", - "SSE.Views.EditChart.textBorder": "边界", - "SSE.Views.EditChart.textBottom": "底部", - "SSE.Views.EditChart.textChart": "图表", - "SSE.Views.EditChart.textChartTitle": "图表标题", - "SSE.Views.EditChart.textColor": "颜色", - "SSE.Views.EditChart.textCrossesValue": "跨越价值", - "SSE.Views.EditChart.textCustomColor": "自定义颜色", - "SSE.Views.EditChart.textDataLabels": "数据标签", - "SSE.Views.EditChart.textDesign": "设计", - "SSE.Views.EditChart.textDisplayUnits": "显示单位", - "SSE.Views.EditChart.textFill": "填满", - "SSE.Views.EditChart.textForward": "向前移动", - "SSE.Views.EditChart.textGridlines": "网格线", - "SSE.Views.EditChart.textHorAxis": "横轴", - "SSE.Views.EditChart.textHorizontal": "水平的", - "SSE.Views.EditChart.textLabelOptions": "标签选项", - "SSE.Views.EditChart.textLabelPos": "标签位置", - "SSE.Views.EditChart.textLayout": "布局", - "SSE.Views.EditChart.textLeft": "左", - "SSE.Views.EditChart.textLeftOverlay": "左叠加", - "SSE.Views.EditChart.textLegend": "传说", - "SSE.Views.EditChart.textMajor": "主要", - "SSE.Views.EditChart.textMajorMinor": "主要和次要", - "SSE.Views.EditChart.textMajorType": "主要类型", - "SSE.Views.EditChart.textMaxValue": "最大值", - "SSE.Views.EditChart.textMinor": "次要", - "SSE.Views.EditChart.textMinorType": "次要类型", - "SSE.Views.EditChart.textMinValue": "最小值", - "SSE.Views.EditChart.textNone": "没有", - "SSE.Views.EditChart.textNoOverlay": "没有叠加", - "SSE.Views.EditChart.textOverlay": "覆盖", - "SSE.Views.EditChart.textRemoveChart": "删除图表", - "SSE.Views.EditChart.textReorder": "重新订购", - "SSE.Views.EditChart.textRight": "右", - "SSE.Views.EditChart.textRightOverlay": "正确覆盖", - "SSE.Views.EditChart.textRotated": "旋转", - "SSE.Views.EditChart.textSize": "大小", - "SSE.Views.EditChart.textStyle": "类型", - "SSE.Views.EditChart.textTickOptions": "勾选选项", - "SSE.Views.EditChart.textToBackground": "发送到背景", - "SSE.Views.EditChart.textToForeground": "放到最上面", - "SSE.Views.EditChart.textTop": "顶部", - "SSE.Views.EditChart.textType": "类型", - "SSE.Views.EditChart.textValReverseOrder": "值相反的顺序", - "SSE.Views.EditChart.textVerAxis": "垂直轴", - "SSE.Views.EditChart.textVertical": "垂直", - "SSE.Views.EditHyperlink.textBack": "返回", - "SSE.Views.EditHyperlink.textDisplay": "展示", - "SSE.Views.EditHyperlink.textEditLink": "编辑链接", - "SSE.Views.EditHyperlink.textExternalLink": "外部链接", - "SSE.Views.EditHyperlink.textInternalLink": "内部数据范围", - "SSE.Views.EditHyperlink.textLink": "链接", - "SSE.Views.EditHyperlink.textLinkType": "链接类型", - "SSE.Views.EditHyperlink.textRange": "范围", - "SSE.Views.EditHyperlink.textRemoveLink": "删除链接", - "SSE.Views.EditHyperlink.textScreenTip": "屏幕提示", - "SSE.Views.EditHyperlink.textSheet": "表格", - "SSE.Views.EditImage.textAddress": "地址", - "SSE.Views.EditImage.textBack": "返回", - "SSE.Views.EditImage.textBackward": "向后移动", - "SSE.Views.EditImage.textDefault": "默认大小", - "SSE.Views.EditImage.textForward": "向前移动", - "SSE.Views.EditImage.textFromLibrary": "图库", - "SSE.Views.EditImage.textFromURL": "图片来自网络", - "SSE.Views.EditImage.textImageURL": "图片地址", - "SSE.Views.EditImage.textLinkSettings": "链接设置", - "SSE.Views.EditImage.textRemove": "删除图片", - "SSE.Views.EditImage.textReorder": "重新订购", - "SSE.Views.EditImage.textReplace": "替换", - "SSE.Views.EditImage.textReplaceImg": "替换图像", - "SSE.Views.EditImage.textToBackground": "发送到背景", - "SSE.Views.EditImage.textToForeground": "放到最上面", - "SSE.Views.EditShape.textAddCustomColor": "\n添加自定义颜色", - "SSE.Views.EditShape.textBack": "返回", - "SSE.Views.EditShape.textBackward": "向后移动", - "SSE.Views.EditShape.textBorder": "边界", - "SSE.Views.EditShape.textColor": "颜色", - "SSE.Views.EditShape.textCustomColor": "自定义颜色", - "SSE.Views.EditShape.textEffects": "效果", - "SSE.Views.EditShape.textFill": "填满", - "SSE.Views.EditShape.textForward": "向前移动", - "SSE.Views.EditShape.textOpacity": "不透明度", - "SSE.Views.EditShape.textRemoveShape": "去除形状", - "SSE.Views.EditShape.textReorder": "重新订购", - "SSE.Views.EditShape.textReplace": "替换", - "SSE.Views.EditShape.textSize": "大小", - "SSE.Views.EditShape.textStyle": "类型", - "SSE.Views.EditShape.textToBackground": "发送到背景", - "SSE.Views.EditShape.textToForeground": "放到最上面", - "SSE.Views.EditText.textAddCustomColor": "\n添加自定义颜色", - "SSE.Views.EditText.textBack": "返回", - "SSE.Views.EditText.textCharacterBold": "B", - "SSE.Views.EditText.textCharacterItalic": "I", - "SSE.Views.EditText.textCharacterUnderline": "U", - "SSE.Views.EditText.textCustomColor": "自定义颜色", - "SSE.Views.EditText.textFillColor": "填色", - "SSE.Views.EditText.textFonts": "字体", - "SSE.Views.EditText.textSize": "大小", - "SSE.Views.EditText.textTextColor": "文字颜色", - "SSE.Views.FilterOptions.textClearFilter": "清除过滤", - "SSE.Views.FilterOptions.textDeleteFilter": "删除过滤", - "SSE.Views.FilterOptions.textFilter": "过滤选项", - "SSE.Views.Search.textByColumns": "通过列", - "SSE.Views.Search.textByRows": "按行", - "SSE.Views.Search.textDone": "完成", - "SSE.Views.Search.textFind": "查找", - "SSE.Views.Search.textFindAndReplace": "查找和替换", - "SSE.Views.Search.textFormulas": "公式", - "SSE.Views.Search.textHighlightRes": "高亮效果", - "SSE.Views.Search.textLookIn": "在看", - "SSE.Views.Search.textMatchCase": "相符", - "SSE.Views.Search.textMatchCell": "匹配单元格", - "SSE.Views.Search.textReplace": "替换", - "SSE.Views.Search.textSearch": "搜索", - "SSE.Views.Search.textSearchBy": "搜索", - "SSE.Views.Search.textSearchIn": "搜索", - "SSE.Views.Search.textSheet": "表格", - "SSE.Views.Search.textValues": "值", - "SSE.Views.Search.textWorkbook": "工作簿", - "SSE.Views.Settings.textAbout": "关于", - "SSE.Views.Settings.textAddress": "地址", - "SSE.Views.Settings.textApplication": "应用", - "SSE.Views.Settings.textApplicationSettings": "应用程序设置", - "SSE.Views.Settings.textAuthor": "作者", - "SSE.Views.Settings.textBack": "返回", - "SSE.Views.Settings.textBottom": "底部", - "SSE.Views.Settings.textCentimeter": "厘米", - "SSE.Views.Settings.textCollaboration": "协作", - "SSE.Views.Settings.textColorSchemes": "颜色方案", - "SSE.Views.Settings.textComment": "批注", - "SSE.Views.Settings.textCommentingDisplay": "批注显示", - "SSE.Views.Settings.textCreated": "已创建", - "SSE.Views.Settings.textCreateDate": "创建日期", - "SSE.Views.Settings.textCustom": "自定义", - "SSE.Views.Settings.textCustomSize": "自定义大小", - "SSE.Views.Settings.textDisableAll": "解除所有项目", - "SSE.Views.Settings.textDisableAllMacrosWithNotification": "解除所有带通知的宏", - "SSE.Views.Settings.textDisableAllMacrosWithoutNotification": "解除所有不带通知的宏", - "SSE.Views.Settings.textDisplayComments": "批注", - "SSE.Views.Settings.textDisplayResolvedComments": "已解决批注", - "SSE.Views.Settings.textDocInfo": "电子表格信息", - "SSE.Views.Settings.textDocTitle": "电子表格标题", - "SSE.Views.Settings.textDone": "完成", - "SSE.Views.Settings.textDownload": "下载", - "SSE.Views.Settings.textDownloadAs": "下载为...", - "SSE.Views.Settings.textEditDoc": "编辑文档", - "SSE.Views.Settings.textEmail": "电子邮件", - "SSE.Views.Settings.textEnableAll": "启动所有项目", - "SSE.Views.Settings.textEnableAllMacrosWithoutNotification": "启动所有不带通知的宏", - "SSE.Views.Settings.textExample": "列入", - "SSE.Views.Settings.textFind": "查找", - "SSE.Views.Settings.textFindAndReplace": "查找和替换", - "SSE.Views.Settings.textFormat": "格式", - "SSE.Views.Settings.textFormulaLanguage": "公式语言", - "SSE.Views.Settings.textHelp": "帮助", - "SSE.Views.Settings.textHideGridlines": "隐藏网格线", - "SSE.Views.Settings.textHideHeadings": "隐藏标题", - "SSE.Views.Settings.textInch": "寸", - "SSE.Views.Settings.textLandscape": "横向", - "SSE.Views.Settings.textLastModified": "上次修改时间", - "SSE.Views.Settings.textLastModifiedBy": "上次修改时间", - "SSE.Views.Settings.textLeft": "左", - "SSE.Views.Settings.textLoading": "载入中……", - "SSE.Views.Settings.textLocation": "位置", - "SSE.Views.Settings.textMacrosSettings": "宏设置", - "SSE.Views.Settings.textMargins": "边距", - "SSE.Views.Settings.textOrientation": "方向", - "SSE.Views.Settings.textOwner": "创建者", - "SSE.Views.Settings.textPoint": "点", - "SSE.Views.Settings.textPortrait": "肖像", - "SSE.Views.Settings.textPoweredBy": "支持方", - "SSE.Views.Settings.textPrint": "打印", - "SSE.Views.Settings.textR1C1Style": "R1C1参考样式", - "SSE.Views.Settings.textRegionalSettings": "区域设置", - "SSE.Views.Settings.textRight": "右", - "SSE.Views.Settings.textSettings": "设置", - "SSE.Views.Settings.textShowNotification": "显示通知", - "SSE.Views.Settings.textSpreadsheetFormats": "电子表格格式", - "SSE.Views.Settings.textSpreadsheetSettings": "表格设置", - "SSE.Views.Settings.textSubject": "主题", - "SSE.Views.Settings.textTel": "电话", - "SSE.Views.Settings.textTitle": "标题", - "SSE.Views.Settings.textTop": "顶部", - "SSE.Views.Settings.textUnitOfMeasurement": "计量单位", - "SSE.Views.Settings.textUploaded": "上载", - "SSE.Views.Settings.textVersion": "版本", - "SSE.Views.Settings.unknownText": "未知", - "SSE.Views.Toolbar.textBack": "返回" + "About": { + "textAbout": "关于", + "textAddress": "地址", + "textBack": "返回", + "textEmail": "电子邮件", + "textPoweredBy": "技术支持", + "textTel": "电话", + "textVersion": "版本" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "警告", + "textAddComment": "添加评论", + "textAddReply": "添加回复", + "textBack": "返回", + "textCancel": "取消", + "textCollaboration": "协作", + "textComments": "评论", + "textDeleteComment": "删除批注", + "textDeleteReply": "删除回复", + "textDone": "完成", + "textEdit": "编辑", + "textEditComment": "编辑评论", + "textEditReply": "编辑回复", + "textEditUser": "以下用户正在编辑文件:", + "textMessageDeleteComment": "您确定要删除此批注吗?", + "textMessageDeleteReply": "你确定要删除这一回复吗?", + "textNoComments": "此文档不包含批注", + "textReopen": "重新打开", + "textResolve": "解决", + "textTryUndoRedo": "快速共同编辑模式下,撤销/重做功能被禁用。", + "textUsers": "用户" + }, + "ThemeColorPalette": { + "textCustomColors": "自定义颜色", + "textStandartColors": "标准颜色", + "textThemeColors": "主题颜色" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "通过右键菜单执行的拷贝、剪切、粘贴操作,将只会在本文件中有效。", + "menuAddComment": "添加评论", + "menuAddLink": "添加链接", + "menuCancel": "取消", + "menuCell": "单元格", + "menuDelete": "删除", + "menuEdit": "编辑", + "menuFreezePanes": "冻结窗格", + "menuHide": "隐藏", + "menuMerge": "合并", + "menuMore": "更多", + "menuOpenLink": "打开链接", + "menuShow": "显示", + "menuUnfreezePanes": "解冻窗格", + "menuUnmerge": "取消合并", + "menuUnwrap": "展开", + "menuViewComment": "查看批注", + "menuWrap": "包裹", + "notcriticalErrorTitle": "警告", + "textCopyCutPasteActions": "拷贝,剪切和粘贴操作", + "textDoNotShowAgain": "不要再显示", + "warnMergeLostData": "该操作将抹掉或破坏这些单元格中的数据。继续吗?" + }, + "Controller": { + "Main": { + "criticalErrorTitle": "错误", + "errorAccessDeny": "你正要执行一个你没有权限的操作
恳请你联系你的管理员。", + "errorProcessSaveResult": "保存失败", + "errorServerVersion": "编辑器版本已完成更新。为应用这些更改,该页将要刷新。", + "errorUpdateVersion": "文件版本发生改变。该页将要刷新。", + "leavePageText": "你在该文档中有未保存的修改。点击“留在该页”来等待自动保存。点击“离开该页”将舍弃全部未保存的更改。", + "notcriticalErrorTitle": "警告", + "SDK": { + "txtAccent": "强调", + "txtArt": "你的文本在此", + "txtDiagramTitle": "图表标题", + "txtSeries": "系列", + "txtStyle_Bad": "差", + "txtStyle_Calculation": "计算", + "txtStyle_Check_Cell": "检查单元格", + "txtStyle_Comma": "逗号", + "txtStyle_Currency": "货币", + "txtStyle_Explanatory_Text": "说明文本", + "txtStyle_Good": "好", + "txtStyle_Heading_1": "标题1", + "txtStyle_Heading_2": "标题2", + "txtStyle_Heading_3": "标题3", + "txtStyle_Heading_4": "标题4", + "txtStyle_Input": "输入", + "txtStyle_Linked_Cell": "关联的单元格", + "txtStyle_Neutral": "中性", + "txtStyle_Normal": "正常", + "txtStyle_Note": "附注", + "txtStyle_Output": "输出", + "txtStyle_Percent": "百分之", + "txtStyle_Title": "标题", + "txtStyle_Total": "总计", + "txtStyle_Warning_Text": "警告文本", + "txtXAxis": "X轴", + "txtYAxis": "Y轴" + }, + "textAnonymous": "匿名", + "textBuyNow": "访问网站", + "textClose": "关闭", + "textContactUs": "联系销售", + "textCustomLoader": "抱歉,你无权修改装载器。恳请你联系我们的销售部门来获取报价。", + "textGuest": "访客", + "textHasMacros": "这个文件带有自动宏。
是否要运行宏?", + "textNo": "不", + "textNoLicenseTitle": "触碰到许可证数量限制。", + "textPaidFeature": "付费功能", + "textRemember": "记住我的选择", + "textYes": "是", + "titleServerVersion": "编辑器已更新", + "titleUpdateVersion": "版本已变化", + "warnLicenseExceeded": "你触发了 %1 编辑器的同时在线数限制。该文档打开后,你将只能查看。可联系管理员来了解更多信息。", + "warnLicenseLimitedNoAccess": "许可证已过期。你将不能使用文档编辑功能。恳请你联系你的管理员。", + "warnLicenseLimitedRenewed": "许可证需要更新。你将不能使用全部文档编辑功能。
要使用全部功能,请联系你的管理员。", + "warnLicenseUsersExceeded": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。", + "warnNoLicense": "你已经触发了 %1 编辑器的同时在线数限制. 该文档打开后,你将只能查看。请联系 %1 的销售团队,获取个人升级条款。", + "warnNoLicenseUsers": "你触发了 %1 编辑器的同时在线数限制。请与 %1 的销售团队联系,以获取个人升级条款。", + "warnProcessRightsChange": "你没有编辑文件的权限。" + } + }, + "Error": { + "convertationTimeoutText": "转换超时", + "criticalErrorExtText": "按下“好”按钮回到文档列表。", + "criticalErrorTitle": "错误", + "downloadErrorText": "下载失败", + "errorAccessDeny": "你正要执行一个你没有权限的操作
恳请你联系你的管理员。", + "errorArgsRange": "公式中有错误。
参数范围有误。", + "errorAutoFilterChange": "操作不能被执行,因为它正在尝试平移该工作表中某一个表格的单元格。", + "errorAutoFilterChangeFormatTable": "对于你选中的这些单元格,该操作不能被执行,原因是我们不能移动表格的一部分。
请选择另外一个数据范围,使得整个表格平移,然后再试一次。", + "errorAutoFilterDataRange": "对于你选中的这些单元格,该操作不能被执行。
请选择表格内部或外部的规范的数据范围,然后再试一次。", + "errorAutoFilterHiddenRange": "该操作不能被执行。原因是:选中的区域有被隐藏的单元格。
请将那些被隐藏的元素重新显现出来,然后再试一次。", + "errorBadImageUrl": "图片地址不正确", + "errorChangeArray": "您无法更改部分阵列。", + "errorConnectToServer": "保存失败。请检查你的联网设定,或联系管理员。
你可以在按下“好”按钮之后下载这个文档。", + "errorCopyMultiselectArea": "该命令不能与多个选择一起使用。
选择一个范围,然后重试。", + "errorCountArg": "公式中有错误。
参数数量有误。", + "errorCountArgExceed": "公式中有错误。
超出了最大允许的参数数量限制。", + "errorCreateDefName": "无法编辑现有的命名范围,因此无法在其中编辑新的范围。", + "errorDatabaseConnection": "外部错误。
数据库连接错误。请联系客服支持。", + "errorDataEncrypted": "加密更改已收到,无法对其解密。", + "errorDataRange": "数据范围不正确", + "errorDataValidate": "您输入的值无效。
用户具有可输入此单元格的限制值。", + "errorDefaultMessage": "错误代码:%1", + "errorEditingDownloadas": "在处理此文档时发生了错误。
请利用“保存”选项将文件备份存储到本地。", + "errorFilePassProtect": "该文件已启动密码保护,无法打开。", + "errorFileRequest": "外部错误。
文件请求。请联系支持人员。", + "errorFileSizeExceed": "文件大小超出了服务器的限制。
恳请联系管理员获取更多信息。", + "errorFileVKey": "外部错误。
安全密钥有误。请联系支持人员。", + "errorFillRange": "无法填充所选范围的单元格。
所有合并的单元格的大小必须相同。", + "errorFormulaName": "公式中有错误。
公式名有误。", + "errorFormulaParsing": "解析公式时出现了内部错误。", + "errorFrmlMaxLength": "这个公式长度超出允许的字符数限制,因此你不能添加这个公式。
恳请重新编辑然后再试一次。", + "errorFrmlMaxReference": "你不能输入这个公式,因为其中包括太多的值,单元格引用,和/或名称。", + "errorFrmlMaxTextLength": "在公式中,文本值的限制为 255 个字符。
请使用粘合函数(CONCATENATE),或使用粘合运算符 (&)", + "errorFrmlWrongReferences": "该函数参考了一个不存在的工作表。
恳请你重新检查数据,然后再试一次。", + "errorInvalidRef": "输入选择的正确名称或有效参考。", + "errorKeyEncrypt": "未知密钥描述", + "errorKeyExpire": "密钥过期", + "errorLockedAll": "由于工作表被其他用户锁定,因此无法进行操作。", + "errorLockedCellPivot": "您无法更改透视表中的数据。", + "errorLockedWorksheetRename": "此时由于其他用户重命名该表单,因此无法重命名该表", + "errorMaxPoints": "每个图表序列的最大点值为4096。", + "errorMoveRange": "不能修改合并后的单元格的一部分", + "errorMultiCellFormula": "表格中不允许使用多单元格数组公式。", + "errorOpenWarning": "文件中的一个公式的长度超过了
允许的字符数,并被删除。", + "errorOperandExpected": "你输入的函数语法有误。请检查你是否漏掉了半边括号,即“(”或“)”。", + "errorPasteMaxRange": "拷贝和粘贴的区域不符。请你选择相同大小的区域。你也可以点选某一行的第一个单元格来粘贴拷贝的单元格。", + "errorPrintMaxPagesCount": "很抱歉,该版本中,暂时还不能一下子打印超过1500页。
之后的版本将会消除这个限制。", + "errorSessionAbsolute": "该文件编辑窗口已过期。请刷新该页。", + "errorSessionIdle": "该文档已经有一段时间没有编辑了。请刷新该页。", + "errorSessionToken": "与服务器的链接被打断。请刷新该页。", + "errorStockChart": "行的顺序有误。要想建立股票图表,请将数据按照如下顺序安放到表格中:
开盘价格,最高价格,最低价格,收盘价格。", + "errorUnexpectedGuid": "外部错误。
全局唯一标识符出现意料之外的状况。请联系支持人员。", + "errorUpdateVersionOnDisconnect": "网络连接已恢复,文件版本已变更。
在继续工作之前,需要下载文件或复制其内容以避免丢失数据,然后刷新此页。", + "errorUserDrop": "该文件现在无法访问。", + "errorUsersExceed": "超过了定价计划允许的用户数", + "errorViewerDisconnect": "网络连接失败。你仍然可以查看这个文档,
但在连接恢复并刷新该页之前,你将不能下载这个文档。", + "errorWrongBracketsCount": "公式中有错误。
括号数量不对。", + "errorWrongOperator": "输入的公式中有错误。你使用了错误的运算符。
请修正错误,或按下 Esc 按钮取消公式编辑。", + "notcriticalErrorTitle": "警告", + "openErrorText": "打开文件时发生错误", + "pastInMergeAreaError": "不能修改合并后的单元格的一部分", + "saveErrorText": "保存文件时发生错误", + "scriptLoadError": "网速过慢,导致该页部分元素未能成功加载。请刷新该页。", + "unknownErrorText": "未知错误。", + "uploadImageExtMessage": "未知图像格式。", + "uploadImageFileCountMessage": "没有图片上传", + "uploadImageSizeMessage": "图片太大了。最大允许的大小是 25 MB." + }, + "LongActions": { + "applyChangesTextText": "数据加载中…", + "applyChangesTitleText": "数据加载中", + "confirmMoveCellRange": "目标单元格范围中存在一些数据。你还要继续吗?", + "confirmPutMergeRange": "源数据包含已合并的单元格。
在贴入本表格之前,这些单元格会被解除合并。", + "confirmReplaceFormulaInTable": "出现在页头行里的公式将会被删除,转换成静态文本。
要继续吗?", + "downloadTextText": "正在下载文件...", + "downloadTitleText": "下载文件", + "loadFontsTextText": "数据加载中…", + "loadFontsTitleText": "数据加载中", + "loadFontTextText": "数据加载中…", + "loadFontTitleText": "数据加载中", + "loadImagesTextText": "图片加载中…", + "loadImagesTitleText": "图片加载中", + "loadImageTextText": "图片加载中…", + "loadImageTitleText": "图片加载中", + "loadingDocumentTextText": "文件加载中…", + "loadingDocumentTitleText": "文件加载中…", + "notcriticalErrorTitle": "警告", + "openTextText": "打开文件...", + "openTitleText": "正在打开文件", + "printTextText": "打印文件", + "printTitleText": "打印文件", + "savePreparingText": "正在准备保存...", + "savePreparingTitle": "正在保存,请稍候...", + "saveTextText": "正在保存文档...", + "saveTitleText": "保存文件", + "textLoadingDocument": "文件加载中…", + "textNo": "不", + "textOk": "好", + "textYes": "是", + "txtEditingMode": "设置编辑模式..", + "uploadImageTextText": "上传图片...", + "uploadImageTitleText": "图片上传中", + "waitText": "请稍候..." + }, + "Statusbar": { + "notcriticalErrorTitle": "警告", + "textCancel": "取消", + "textDelete": "删除", + "textDuplicate": "复制", + "textErrNameExists": "已经存在用这个名称的工作簿。", + "textErrNameWrongChar": "表格名称中不能包含以下符号:\\, /, *, ?, [, ], :", + "textErrNotEmpty": "工作表名称不能为空", + "textErrorLastSheet": "该工作簿必须带有至少一个可见的工作表。", + "textErrorRemoveSheet": "不能删除工作表。", + "textHide": "隐藏", + "textMore": "更多", + "textRename": "重命名", + "textRenameSheet": "重命名工作表", + "textSheet": "表格", + "textSheetName": "工作表名称", + "textUnhide": "取消隐藏", + "textWarnDeleteSheet": "该工作表可能带有数据。要进行操作吗?" + }, + "Toolbar": { + "dlgLeaveMsgText": "你在该文档中有未保存的修改。点击“留在该页”来等待自动保存。点击“离开该页”将舍弃全部未保存的更改。", + "dlgLeaveTitleText": "你退出应用程序", + "leaveButtonText": "离开这个页面", + "stayButtonText": "保持此页上" + }, + "View": { + "Add": { + "errorMaxRows": "错误!每个图表的最大数据系列数为255。", + "errorStockChart": "行的顺序有误。要想建立股票图表,请将数据按照如下顺序安放到表格中:
开盘价格,最高价格,最低价格,收盘价格。", + "notcriticalErrorTitle": "警告", + "sCatDateAndTime": "日期和时间", + "sCatEngineering": "工程", + "sCatFinancial": "金融", + "sCatInformation": "信息", + "sCatLogical": "合乎逻辑", + "sCatLookupAndReference": "查找和参考", + "sCatMathematic": "数学和三角学", + "sCatStatistical": "统计", + "sCatTextAndData": "文字和数据", + "textAddLink": "添加链接", + "textAddress": "地址", + "textBack": "返回", + "textChart": "图表", + "textComment": "评论", + "textDisplay": "展示", + "textEmptyImgUrl": "你需要指定图片的网页。", + "textExternalLink": "外部链接", + "textFilter": "过滤", + "textFunction": "功能", + "textGroups": "分类", + "textImage": "图片", + "textImageURL": "图片地址", + "textInsert": "插入", + "textInsertImage": "插入图片", + "textInternalDataRange": "内部数据范围", + "textInvalidRange": "失败!单元格范围无效", + "textLink": "链接", + "textLinkSettings": "链接设置", + "textLinkType": "链接类型", + "textOther": "其他", + "textPictureFromLibrary": "图库", + "textPictureFromURL": "来自网络的图片", + "textRange": "范围", + "textRequired": "必填", + "textScreenTip": "屏幕提示", + "textShape": "形状", + "textSheet": "表格", + "textSortAndFilter": "排序和过滤", + "txtNotUrl": "该字段应为“http://www.example.com”格式的URL" + }, + "Edit": { + "notcriticalErrorTitle": "警告", + "textAccounting": "统计", + "textActualSize": "实际大小", + "textAddCustomColor": "\n添加自定义颜色", + "textAddress": "地址", + "textAlign": "对齐", + "textAlignBottom": "底部对齐", + "textAlignCenter": "居中对齐", + "textAlignLeft": "左对齐", + "textAlignMiddle": "居中对齐", + "textAlignRight": "右对齐", + "textAlignTop": "顶端对齐", + "textAllBorders": "所有边框", + "textAngleClockwise": "顺时针方向角", + "textAngleCounterclockwise": "逆时针方向角", + "textAuto": "自动", + "textAxisCrosses": "坐标轴交叉", + "textAxisOptions": "坐标轴选项", + "textAxisPosition": "坐标轴位置", + "textAxisTitle": "坐标轴标题", + "textBack": "返回", + "textBetweenTickMarks": "刻度线之间", + "textBillions": "十亿", + "textBorder": "边界", + "textBorderStyle": "边框风格", + "textBottom": "底部", + "textBottomBorder": "底端边框", + "textBringToForeground": "放到最上面", + "textCell": "单元格", + "textCellStyles": "单元格样式", + "textCenter": "中心", + "textChart": "图表", + "textChartTitle": "图表标题", + "textClearFilter": "清空筛选条件", + "textColor": "颜色", + "textCross": "交叉", + "textCrossesValue": "交点价值", + "textCurrency": "货币", + "textCustomColor": "自定义颜色", + "textDataLabels": "数据标签", + "textDate": "日期", + "textDefault": "选择范围", + "textDeleteFilter": "删除过滤", + "textDesign": "设计", + "textDiagonalDownBorder": "对角线下边界", + "textDiagonalUpBorder": "对角线上边界", + "textDisplay": "展示", + "textDisplayUnits": "显示单位", + "textDollar": "美元", + "textEditLink": "编辑链接", + "textEffects": "效果", + "textEmptyImgUrl": "你需要指定图片的网页。", + "textEmptyItem": "{空}", + "textErrorMsg": "您必须至少选择一个值", + "textErrorTitle": "警告", + "textEuro": "欧元", + "textExternalLink": "外部链接", + "textFill": "填满", + "textFillColor": "填色", + "textFilterOptions": "过滤选项", + "textFit": "适合宽度", + "textFonts": "字体", + "textFormat": "格式", + "textFraction": "分数", + "textFromLibrary": "图库", + "textFromURL": "来自网络的图片", + "textGeneral": "常规", + "textGridlines": "网格线", + "textHigh": "高", + "textHorizontal": "水平的", + "textHorizontalAxis": "横轴", + "textHorizontalText": "水平文本", + "textHundredMil": "100 000 000", + "textHundreds": "数以百计", + "textHundredThousands": "100 000", + "textHyperlink": "超链接", + "textImage": "图片", + "textImageURL": "图片地址", + "textIn": "在", + "textInnerBottom": "内底", + "textInnerTop": "内顶", + "textInsideBorders": "内部边框", + "textInsideHorizontalBorder": "内部水平边框", + "textInsideVerticalBorder": "内部铅直边框", + "textInteger": "整数", + "textInternalDataRange": "内部数据范围", + "textInvalidRange": "无效的单元格范围", + "textJustified": "已验证", + "textLabelOptions": "标签选项", + "textLabelPosition": "标签位置", + "textLayout": "布局", + "textLeft": "左", + "textLeftBorder": "左边界", + "textLeftOverlay": "左叠加", + "textLegend": "图例", + "textLink": "链接", + "textLinkSettings": "链接设置", + "textLinkType": "链接类型", + "textLow": "低", + "textMajor": "主要", + "textMajorAndMinor": "主要和次要", + "textMajorType": "主要类型", + "textMaximumValue": "最大值", + "textMedium": "中", + "textMillions": "百万", + "textMinimumValue": "最小值", + "textMinor": "次要", + "textMinorType": "次要类型", + "textMoveBackward": "向后移动", + "textMoveForward": "向前移动", + "textNextToAxis": "在轴旁边", + "textNoBorder": "无边框", + "textNone": "无", + "textNoOverlay": "没有叠加", + "textNotUrl": "该字段应为“http://www.example.com”格式的URL", + "textNumber": "数", + "textOnTickMarks": "刻度标记", + "textOpacity": "不透明度", + "textOut": "外", + "textOuterTop": "外顶", + "textOutsideBorders": "外部边框", + "textOverlay": "覆盖", + "textPercentage": "百分比", + "textPictureFromLibrary": "图库", + "textPictureFromURL": "来自网络的图片", + "textPound": "磅", + "textPt": "像素", + "textRange": "范围", + "textRemoveChart": "删除图表", + "textRemoveImage": "删除图片", + "textRemoveLink": "删除链接", + "textRemoveShape": "删除图形", + "textReorder": "重新排序", + "textReplace": "替换", + "textReplaceImage": "替换图像", + "textRequired": "必填", + "textRight": "右", + "textRightBorder": "右边界", + "textRightOverlay": "右叠加", + "textRotated": "旋转", + "textRotateTextDown": "文本向下旋转", + "textRotateTextUp": "文本向上旋转", + "textRouble": "卢布", + "textScientific": "科学", + "textScreenTip": "屏幕提示", + "textSelectAll": "全选", + "textSelectObjectToEdit": "选择要编辑的物件", + "textSendToBackground": "送至后台", + "textSettings": "设置", + "textShape": "形状", + "textSheet": "表格", + "textSize": "大小", + "textStyle": "样式", + "textTenMillions": "10 000 000", + "textTenThousands": "10 000", + "textText": "文本", + "textTextColor": "文字颜色", + "textTextFormat": "文本格式", + "textTextOrientation": "文字方向", + "textThick": "厚", + "textThin": "薄", + "textThousands": "数以千计", + "textTickOptions": "勾选选项", + "textTime": "时间", + "textTop": "顶部", + "textTopBorder": "顶级边界", + "textTrillions": "万亿", + "textType": "类型", + "textValue": "值", + "textValuesInReverseOrder": "值相反的顺序", + "textVertical": "垂直", + "textVerticalAxis": "垂直轴", + "textVerticalText": "纵向文本", + "textWrapText": "文字换行", + "textYen": "日元", + "txtNotUrl": "该字段应为“http://www.example.com”格式的URL" + }, + "Settings": { + "advCSVOptions": "选择CSV选项", + "advDRMEnterPassword": "你的密码,请:", + "advDRMOptions": "受保护的文件", + "advDRMPassword": "密码", + "closeButtonText": "关闭文件", + "notcriticalErrorTitle": "警告", + "textAddress": "地址", + "textApplication": "应用", + "textApplicationSettings": "应用设置", + "textAuthor": "作者", + "textBack": "返回", + "textBottom": "底部", + "textByColumns": "通过列", + "textByRows": "按行", + "textCancel": "取消", + "textCentimeter": "厘米", + "textCollaboration": "协作", + "textColorSchemes": "颜色方案", + "textComment": "评论", + "textCommentingDisplay": "评论显示", + "textComments": "评论", + "textCreated": "已创建", + "textCustomSize": "自定义大小", + "textDisableAll": "解除所有项目", + "textDisableAllMacrosWithNotification": "解除所有带通知的宏", + "textDisableAllMacrosWithoutNotification": "解除所有不带通知的宏", + "textDone": "完成", + "textDownload": "下载", + "textDownloadAs": "另存为", + "textEmail": "电子邮件", + "textEnableAll": "启动所有项目", + "textEnableAllMacrosWithoutNotification": "启动所有不带通知的宏", + "textFind": "查找", + "textFindAndReplace": "查找和替换", + "textFindAndReplaceAll": "查找并替换所有", + "textFormat": "格式", + "textFormulaLanguage": "公式语言", + "textFormulas": "公式", + "textHelp": "帮助", + "textHideGridlines": "隐藏网格线", + "textHideHeadings": "隐藏标题", + "textHighlightRes": "高亮效果", + "textInch": "寸", + "textLandscape": "横向", + "textLastModified": "上次修改时间", + "textLastModifiedBy": "上次修改人是", + "textLeft": "左", + "textLocation": "位置", + "textLookIn": "看里面", + "textMacrosSettings": "宏设置", + "textMargins": "边距", + "textMatchCase": "对应大小写", + "textMatchCell": "匹配单元格", + "textNoTextFound": "文本没找到", + "textOpenFile": "输入密码来打开文件", + "textOrientation": "方向", + "textOwner": "创建者", + "textPoint": "点", + "textPortrait": "纵向", + "textPoweredBy": "技术支持", + "textPrint": "打印", + "textR1C1Style": "R1C1参考样式", + "textRegionalSettings": "区域设置", + "textReplace": "替换", + "textReplaceAll": "全部替换", + "textResolvedComments": "已解决批注", + "textRight": "右", + "textSearch": "搜索", + "textSearchBy": "搜索", + "textSearchIn": "选定搜索范围", + "textSettings": "设置", + "textSheet": "表格", + "textShowNotification": "显示通知", + "textSpreadsheetFormats": "电子表格格式", + "textSpreadsheetInfo": "电子表格信息", + "textSpreadsheetSettings": "表格设置", + "textSpreadsheetTitle": "电子表格标题", + "textSubject": "主题", + "textTel": "电话", + "textTitle": "标题", + "textTop": "顶部", + "textUnitOfMeasurement": "计量单位", + "textUploaded": "已上传", + "textValues": "值", + "textVersion": "版本", + "textWorkbook": "工作簿", + "txtDelimiter": "字段分隔符", + "txtEncoding": "编码", + "txtIncorrectPwd": "密码有误", + "txtProtected": "在您输入密码和打开文件后,该文件的当前密码将被重置", + "txtSpace": "空格", + "txtTab": "标签", + "warnDownloadAs": "如果您继续以此格式保存,除文本之外的所有功能将丢失。
您确定要继续吗?" + } + } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/src/controller/Toolbar.jsx b/apps/spreadsheeteditor/mobile/src/controller/Toolbar.jsx index 09cb1048f..c778040af 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/Toolbar.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/Toolbar.jsx @@ -4,12 +4,13 @@ import { f7 } from 'framework7-react'; import { useTranslation } from 'react-i18next'; import ToolbarView from "../view/Toolbar"; -const ToolbarController = inject('storeAppOptions', 'users', 'storeSpreadsheetInfo')(observer(props => { +const ToolbarController = inject('storeAppOptions', 'users', 'storeSpreadsheetInfo', 'storeFocusObjects')(observer(props => { const {t} = useTranslation(); const _t = t("Toolbar", { returnObjects: true }); const appOptions = props.storeAppOptions; const isDisconnected = props.users.isDisconnected; + const isObjectLocked = props.storeFocusObjects.isLocked; const displayCollaboration = props.users.hasEditUsers || appOptions.canViewComments; const docTitle = props.storeSpreadsheetInfo.dataDoc ? props.storeSpreadsheetInfo.dataDoc.title : ''; @@ -20,9 +21,8 @@ const ToolbarController = inject('storeAppOptions', 'users', 'storeSpreadsheetIn const api = Common.EditorApi.get(); api.asc_registerCallback('asc_onCanUndoChanged', onApiCanUndo); api.asc_registerCallback('asc_onCanRedoChanged', onApiCanRedo); - api.asc_registerCallback('asc_onSelectionChanged', onApiSelectionChanged); - api.asc_registerCallback('asc_onWorkbookLocked', onApiSelectionChanged); - api.asc_registerCallback('asc_onWorksheetLocked', onApiSelectionChanged); + api.asc_registerCallback('asc_onWorkbookLocked', onApiLocked); + api.asc_registerCallback('asc_onWorksheetLocked', onApiLocked); api.asc_registerCallback('asc_onActiveSheetChanged', onApiActiveSheetChanged); Common.Notifications.on('toolbar:activatecontrols', activateControls); @@ -53,9 +53,8 @@ const ToolbarController = inject('storeAppOptions', 'users', 'storeSpreadsheetIn const api = Common.EditorApi.get(); api.asc_unregisterCallback('asc_onCanUndoChanged', onApiCanUndo); api.asc_unregisterCallback('asc_onCanRedoChanged', onApiCanRedo); - // api.asc_unregisterCallback('asc_onSelectionChanged', onApiSelectionChanged); TO DO - api.asc_unregisterCallback('asc_onWorkbookLocked', onApiSelectionChanged); - api.asc_unregisterCallback('asc_onWorksheetLocked', onApiSelectionChanged); + api.asc_unregisterCallback('asc_onWorkbookLocked', onApiLocked); + api.asc_unregisterCallback('asc_onWorksheetLocked', onApiLocked); api.asc_unregisterCallback('asc_onActiveSheetChanged', onApiActiveSheetChanged); } }); @@ -133,32 +132,9 @@ const ToolbarController = inject('storeAppOptions', 'users', 'storeSpreadsheetIn } const [disabledEditControls, setDisabledEditControls] = useState(false); - const onApiSelectionChanged = (cellInfo) => { + const onApiLocked = () => { if (isDisconnected) return; - - const api = Common.EditorApi.get(); - const info = cellInfo && typeof cellInfo === 'object' ? cellInfo : api.asc_getCellInfo(); - let islocked = false; - - switch (info.asc_getSelectionType()) { - case Asc.c_oAscSelectionType.RangeChart: - case Asc.c_oAscSelectionType.RangeImage: - case Asc.c_oAscSelectionType.RangeShape: - case Asc.c_oAscSelectionType.RangeChartText: - case Asc.c_oAscSelectionType.RangeShapeText: - const objects = api.asc_getGraphicObjectProps(); - for ( let i in objects ) { - if ( objects[i].asc_getObjectType() == Asc.c_oAscTypeSelectElement.Image ) { - if ((islocked = objects[i].asc_getObjectValue().asc_getLocked())) - break; - } - } - break; - default: - islocked = info.asc_getLocked(); - } - - setDisabledEditControls(islocked); + props.storeFocusObjects.setIsLocked(Common.EditorApi.get().asc_getCellInfo()); }; const onApiActiveSheetChanged = (index) => { @@ -196,7 +172,7 @@ const ToolbarController = inject('storeAppOptions', 'users', 'storeSpreadsheetIn onUndo={onUndo} onRedo={onRedo} disabledControls={disabledControls} - disabledEditControls={disabledEditControls} + disabledEditControls={disabledEditControls || isObjectLocked} disabledSettings={disabledSettings} displayCollaboration={displayCollaboration} showEditDocument={showEditDocument} diff --git a/apps/spreadsheeteditor/mobile/src/controller/edit/EditCell.jsx b/apps/spreadsheeteditor/mobile/src/controller/edit/EditCell.jsx index b0d7bd9b7..b70b4fa91 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/edit/EditCell.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/edit/EditCell.jsx @@ -97,7 +97,6 @@ class EditCellController extends Component { onWrapTextChange(checked) { const api = Common.EditorApi.get(); - console.log(checked); api.asc_setCellTextWrap(checked); } diff --git a/apps/spreadsheeteditor/mobile/src/controller/settings/ApplicationSettings.jsx b/apps/spreadsheeteditor/mobile/src/controller/settings/ApplicationSettings.jsx index df4028e75..92dd49864 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/settings/ApplicationSettings.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/settings/ApplicationSettings.jsx @@ -49,7 +49,7 @@ class ApplicationSettingsController extends Component { onChangeDisplayResolved(value) { const api = Common.EditorApi.get(); - let displayComments = LocalStorage.getBool("sse-mobile-settings-livecomment"); + let displayComments = LocalStorage.getBool("sse-mobile-settings-livecomment",true); if (displayComments) { api.asc_showComments(value); diff --git a/apps/spreadsheeteditor/mobile/src/index_dev.html b/apps/spreadsheeteditor/mobile/src/index_dev.html index 4494d3717..18a92b021 100644 --- a/apps/spreadsheeteditor/mobile/src/index_dev.html +++ b/apps/spreadsheeteditor/mobile/src/index_dev.html @@ -59,42 +59,12 @@ return urlParams; } - const encodeUrlParam = str => str.replace(/&/g, '&') - .replace(/"/g, '"') - .replace(/'/g, ''') - .replace(//g, '>'); - let params = getUrlParams(), - lang = (params["lang"] || 'en').split(/[\-\_]/)[0], - logo = /*params["headerlogo"] ? encodeUrlParam(params["headerlogo"]) : */null, - logoOO = null; - if (!logo) { - logoOO = isAndroid ? "../../common/mobile/resources/img/header/header-logo-android.png" : "../../common/mobile/resources/img/header/header-logo-ios.png"; - } + lang = (params["lang"] || 'en').split(/[\-\_]/)[0]; window.frameEditorId = params["frameEditorId"]; window.parentOrigin = params["parentOrigin"]; window.Common = {Locale: {currentLang: lang}}; - - let brendpanel = document.getElementsByClassName('brendpanel')[0]; - if (brendpanel) { - if ( isAndroid ) { - brendpanel.classList.add('android'); - } - brendpanel.classList.add('visible'); - - let elem = document.querySelector('.loading-logo'); - if (elem) { - logo && (elem.innerHTML = ''); - logoOO && (elem.innerHTML = ''); - elem.style.opacity = 1; - } - var placeholder = document.getElementsByClassName('placeholder')[0]; - if (placeholder && isAndroid) { - placeholder.classList.add('android'); - } - } diff --git a/apps/spreadsheeteditor/mobile/src/store/appOptions.js b/apps/spreadsheeteditor/mobile/src/store/appOptions.js index 1d6f30310..4d405549b 100644 --- a/apps/spreadsheeteditor/mobile/src/store/appOptions.js +++ b/apps/spreadsheeteditor/mobile/src/store/appOptions.js @@ -91,6 +91,7 @@ export class storeAppOptions { this.canComments = this.canComments && !((typeof (this.customization) == 'object') && this.customization.comments===false); this.canViewComments = this.canComments || !((typeof (this.customization) == 'object') && this.customization.comments===false); this.canEditComments = this.isOffline || !(typeof (this.customization) == 'object' && this.customization.commentAuthorOnly); + this.canDeleteComments= this.isOffline || !permissions.deleteCommentAuthorOnly; this.canChat = this.canLicense && !this.isOffline && !((typeof (this.customization) == 'object') && this.customization.chat === false); this.canPrint = (permissions.print !== false); this.isRestrictedEdit = !this.isEdit && this.canComments; @@ -99,6 +100,10 @@ export class storeAppOptions { this.canDownload = permissions.download !== false; this.canBranding = params.asc_getCustomization(); this.canBrandingExt = params.asc_getCanBranding() && (typeof this.customization == 'object'); - this.canUseReviewPermissions = this.canLicense && this.customization && this.customization.reviewPermissions && (typeof (this.customization.reviewPermissions) == 'object'); + this.canUseReviewPermissions = this.canLicense && (!!permissions.reviewGroups || this.customization + && this.customization.reviewPermissions && (typeof (this.customization.reviewPermissions) == 'object')); + this.canUseCommentPermissions = this.canLicense && !!permissions.commentGroups; + this.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(permissions.reviewGroups, this.customization.reviewPermissions); + this.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(permissions.commentGroups); } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/src/store/cellSettings.js b/apps/spreadsheeteditor/mobile/src/store/cellSettings.js index 838aefe52..a06ba3ea6 100644 --- a/apps/spreadsheeteditor/mobile/src/store/cellSettings.js +++ b/apps/spreadsheeteditor/mobile/src/store/cellSettings.js @@ -169,7 +169,6 @@ export class storeCellSettings { changeBorderSize(size) { this.borderInfo.width = size; - console.log('change border width ' + size); } changeBorderStyle(type) { diff --git a/apps/spreadsheeteditor/mobile/src/store/focusObjects.js b/apps/spreadsheeteditor/mobile/src/store/focusObjects.js index 936293cb0..6cb3db2d9 100644 --- a/apps/spreadsheeteditor/mobile/src/store/focusObjects.js +++ b/apps/spreadsheeteditor/mobile/src/store/focusObjects.js @@ -4,6 +4,7 @@ export class storeFocusObjects { constructor() { makeObservable(this, { focusOn: observable, + changeFocus: action, _focusObjects: observable, _cellInfo: observable, resetFocusObjects: action, @@ -12,15 +13,21 @@ export class storeFocusObjects { selections: computed, shapeObject: computed, imageObject: computed, - chartObject: computed + chartObject: computed, + isLocked: observable, + setIsLocked: action }); } focusOn = undefined; + + changeFocus(isObj) { + this.focusOn = isObj ? 'obj' : 'cell'; + } + _focusObjects = []; resetFocusObjects(objects) { - this.focusOn = 'obj'; this._focusObjects = objects; } @@ -56,7 +63,6 @@ export class storeFocusObjects { _cellInfo; resetCellInfo (cellInfo) { - this.focusOn = 'cell'; this._cellInfo = cellInfo; } @@ -76,4 +82,28 @@ export class storeFocusObjects { return !!this.intf ? this.intf.getChartObject() : null; } + isLocked = false; + + setIsLocked(info) { + let islocked = false; + switch (info.asc_getSelectionType()) { + case Asc.c_oAscSelectionType.RangeChart: + case Asc.c_oAscSelectionType.RangeImage: + case Asc.c_oAscSelectionType.RangeShape: + case Asc.c_oAscSelectionType.RangeChartText: + case Asc.c_oAscSelectionType.RangeShapeText: + const objects = Common.EditorApi.get().asc_getGraphicObjectProps(); + for ( let i in objects ) { + if ( objects[i].asc_getObjectType() == Asc.c_oAscTypeSelectElement.Image ) { + if ((islocked = objects[i].asc_getObjectValue().asc_getLocked())) + break; + } + } + break; + default: + islocked = info.asc_getLocked(); + } + this.isLocked = islocked; + } + } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/src/view/add/AddLink.jsx b/apps/spreadsheeteditor/mobile/src/view/add/AddLink.jsx index 57f69fec0..d300691eb 100644 --- a/apps/spreadsheeteditor/mobile/src/view/add/AddLink.jsx +++ b/apps/spreadsheeteditor/mobile/src/view/add/AddLink.jsx @@ -62,7 +62,7 @@ const AddLinkView = props => { const displayDisabled = displayText === 'locked'; displayText = displayDisabled ? _t.textSelectedRange : displayText; const [stateDisplayText, setDisplayText] = useState(displayText); - + const [stateAutoUpdate, setAutoUpdate] = useState(true); const [screenTip, setScreenTip] = useState(''); const activeSheet = props.activeSheet; @@ -88,7 +88,8 @@ const AddLinkView = props => { placeholder={_t.textLink} value={link} onChange={(event) => { - setLink(event.target.value) + setLink(event.target.value); + if(stateAutoUpdate) setDisplayText(event.target.value); }} className={isIos ? 'list-input-right' : ''} /> @@ -114,7 +115,8 @@ const AddLinkView = props => { placeholder={_t.textDisplay} value={stateDisplayText} disabled={displayDisabled} - onChange={(event) => {setDisplayText(event.target.value)}} + onChange={(event) => {setDisplayText(event.target.value); + setAutoUpdate(event.target.value == ''); }} className={isIos ? 'list-input-right' : ''} />